url
stringlengths
11
2.25k
text
stringlengths
88
50k
ts
timestamp[s]date
2026-01-13 08:47:33
2026-01-13 09:30:40
https://www.facebook.com/r.php?next=https%3A%2F%2Fzh-cn.facebook.com%2Fsettings&amp%3Bamp%3Blocale=vi_VN&amp%3Bamp%3Bdisplay=page
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 가입하기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:36
https://download.videolan.org/pub/libdvbpsi/0.1.6/
Index of /pub/libdvbpsi/0.1.6/ Index of /pub/libdvbpsi/0.1.6/ ../ libdvbpsi5-0.1.6.tar.bz2 22-Oct-2007 10:11 297096 libdvbpsi5-0.1.6.tar.bz2.md5 09-Dec-2007 19:25 59 libdvbpsi5-0.1.6.tar.gz 22-Oct-2007 10:11 409072 libdvbpsi5-0.1.6.tar.gz.md5 09-Dec-2007 19:25 58
2026-01-13T09:30:36
https://download.videolan.org/pub/libdvbpsi/0.2.2/
Index of /pub/libdvbpsi/0.2.2/ Index of /pub/libdvbpsi/0.2.2/ ../ libdvbpsi-0.2.2.tar.bz2 03-Nov-2011 16:00 330403 libdvbpsi-0.2.2.tar.bz2.md5sum 03-Nov-2011 16:00 58 libdvbpsi-0.2.2.tar.bz2.sha256sum 03-Nov-2011 16:00 90 libdvbpsi-0.2.2.tar.gz 03-Nov-2011 16:00 446363 libdvbpsi-0.2.2.tar.gz.md5sum 03-Nov-2011 16:00 57 libdvbpsi-0.2.2.tar.gz.sha256sum 03-Nov-2011 16:00 89
2026-01-13T09:30:36
https://fr-fr.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT34pS_RQFlBmcaNQOulqRe7J4_PCItZ84NLZDJDu21S7FGu2-_v8zr7eB-3ObSEUmwdaSx5xmwpYqeU-vT-ppR-POIGEA8RUUr4nxMvRIAurCBa9myixBL6EqY19V8uZHMj4kLzKW-6zc4b
Facebook Facebook Adresse e-mail ou téléphone Mot de passe Informations de compte oubliées ? Créer un compte Cette fonction est temporairement bloquée Cette fonction est temporairement bloquée Il semble que vous ayez abusé de cette fonctionnalité en l’utilisant trop vite. Vous n’êtes plus autorisé à l’utiliser. Back Français (France) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Deutsch S’inscrire Se connecter Messenger Facebook Lite Vidéo Meta Pay Boutique Meta Meta Quest Ray-Ban Meta Meta AI Plus de contenu Meta AI Instagram Threads Centre d’information sur les élections Politique de confidentialité Centre de confidentialité À propos Créer une publicité Créer une Page Développeurs Emplois Cookies Choisir sa publicité Conditions générales Aide Importation des contacts et non-utilisateurs Paramètres Historique d’activité Meta © 2026
2026-01-13T09:30:36
https://gcc.gnu.org/onlinedocs/gcc/Unnamed-Fields.html
Unnamed Fields (Using the GNU Compiler Collection (GCC)) Next: Cast to a Union Type , Previous: Structures with only Flexible Array Members , Up: Array, Union, and Struct Extensions   [ Contents ][ Index ] 6.2.6 Unnamed Structure and Union Fields ¶ As permitted by ISO C11 and for compatibility with other compilers, GCC allows you to define a structure or union that contains, as fields, structures and unions without names. For example: struct { int a; union { int b; float c; }; int d; } foo; In this example, you are able to access members of the unnamed union with code like ‘ foo.b ’. Note that only unnamed structs and unions are allowed, you may not have, for example, an unnamed int . You must never create such structures that cause ambiguous field definitions. For example, in this structure: struct { int a; struct { int a; }; } foo; it is ambiguous which a is being referred to with ‘ foo.a ’. The compiler gives errors for such constructs. Unless -fms-extensions is used, the unnamed field must be a structure or union definition without a tag (for example, ‘ struct { int a; }; ’). If -fms-extensions is used, the field may also be a definition with a tag such as ‘ struct foo { int a; }; ’, a reference to a previously defined structure or union such as ‘ struct foo; ’, or a reference to a typedef name for a previously defined structure or union type. The option -fplan9-extensions enables -fms-extensions as well as two other extensions. First, a pointer to a structure is automatically converted to a pointer to an anonymous field for assignments and function calls. For example: struct s1 { int a; }; struct s2 { struct s1; }; extern void f1 (struct s1 *); void f2 (struct s2 *p) { f1 (p); } In the call to f1 inside f2 , the pointer p is converted into a pointer to the anonymous field. Second, when the type of an anonymous field is a typedef for a struct or union , code may refer to the field using the name of the typedef . typedef struct { int a; } s1; struct s2 { s1; }; s1 f1 (struct s2 *p) { return p->s1; } These usages are only permitted when they are not ambiguous. Next: Cast to a Union Type , Previous: Structures with only Flexible Array Members , Up: Array, Union, and Struct Extensions   [ Contents ][ Index ]
2026-01-13T09:30:36
https://ko-kr.facebook.com/login/?next=https%3A%2F%2Fwww.facebook.com%2Fshare_channel%2F%3Ftype%3Dreshare%26link%3Dhttps%253A%252F%252Fwww.stavros.io%252Ftutorials%252Fbittorrent%252Fdownload%252F%26app_id%3D966242223397117%26source_surface%3Dexternal_reshare%26display%26hashtag
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:36
https://www.facebook.com/r.php?next=https%3A%2F%2Fzh-cn.facebook.com%2Fsettings&amp%3Bamp%3Blocale=vi_VN&amp%3Bamp%3Bdisplay=page
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 가입하기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:36
https://phproundtable.com?page=1
PHPRoundtable PHPRoundtable The PHP podcast where everyone has a seat. Guests Library Sponsors About Us Latest Episode 1 year ago PHPRoundtable September 2024 - CLIs and TUIs with PHP for fun and profit Unlock the power of command-line interfaces and text-based user interfaces with PHP in our latest PHPRoundtable episode: ‘CLIs and TUIs with PHP for Fun and Profit’. Join us as we dive deep into how developers are leveraging PHP to create robust and interactive CLI and TUI applications that drive productivity and innovation. Whether you’re looking to streamline your workflows and automation or just develop tools that will help you be more profitable, this discussion will provide you with insi... (Full Show Notes) with some of our panelists: Eric Van Johnson TJ Miller Sara Golemon Joe Tannenbaum Jess Archer Recent Episodes 1 year ago 93: PHPRoundtable September 2024 - CLIs and TUIs with PHP for fun and profit Unlock the power of command-line interfaces and text-based user interfaces with PHP in our latest PHPRoundtable episode: ‘CLIs and TUIs with PHP for Fun and Profit’. Join us as we dive deep into how developers are leveraging PHP to create robust and interactive CLI and TUI applications that drive productivity and innovation. Whether you’re looking to streamline your workflows and automation or just develop tools that will help you be more profitable, this discussion will provide you with insight... tui command-line 1 year ago 92: PHPRoundtable August 2024 - Event Sourcing Dive deep into the world of Event Sourcing with us on the next PHPRoundtable! We're unraveling the complexities of this powerful architectural pattern with a stellar lineup of experts. Daniel Coilbourne, Chris Morrell, and Shawn McCool will be joining forces with our regular panelists, Eric Van Johnson, TJ Miller, Sara Golemon, and Joe Ferguson. Discover the ins and outs of Event Sourcing: what it is, why it matters, and how to master its implementation in your projects. Don't miss this insightf... event-sourcing 1 year ago 91: PHPRoundtable July 2024 In this episode on PHPRoundtable, the panel discusses the adoption and current state of PHP in the industry. We also share out thoughts on what we feel could be some potential improvements for the development experience. We also talk about the importance of understanding PHP's internals and embracing change to keep up with the evolving landscape. 1 year ago 90: PHPRoundtable June 2024 In this episode on PHPRoundtable, the panel discusses the adoption and current state of PHP in the industry. We also shared our thoughts on what we feel could be some potential improvements to the development experience. We also talk about the importance of understanding PHP's internals and embracing change to keep up with the evolving landscape. 1 year ago 89: PHPRoundtable May 2024 Derick Rethans hooped on to the show to join Eric, Sara, Joe, and TJ, and discuss security in PHP, PHP Internals, and Tracing. Here are some links from the show. glibc/iconv Vulnerability The GNU C Library security advisories TaskFile Open Telemetry PHP PHP BCMath RFC Python NumPy Panel Eric Van Johnson - X / Mastodon Sara Golemon - Mastodon Joe Ferguson - X / Mastodon TJ Miller - X / Mastodon Derick Rethans - X / Mastodon 2 years ago 88: Bridging Binaries: The Dance of Developer Diplomacy Join us on the next PHPRoundtable as we decode the superheroes behind the scenes in the tech world! No, they don't wear capes (usually), but they're the bridge-builders, the peace-makers, and the tech whisperers. Dive into the enigmatic world of Developer Relations, find out who they are, what magic they weave, and how they keep both sides of the code fence talking. It's 'Relations'... but not the kind you're thinking. 2 years ago 87: Open Sourcing Mental Health On this panel we sit down with the team from Open Sourcing Mental Health whose motto is "Stronger Than Fear". Open Sourcing Mental Health is a non-profit, 501(c)(3) corporation dedicated to raising awareness, educating, and providing resources to support mental wellness in the tech and open source communities. OSMI began in 2013, with Ed Finkler speaking at tech conferences about his personal experiences as a web developer and open source advocate with a mental health disorder. The response was... 2 years ago 86: The Education of Development In this episode of PHPRoundtable, we have a panel of instructor, students, and professional to talk about the Education of Development and Coding. We discuss formal, structure programs to self taught. What is the best was to learn to code? You can join us live in our Discord Channel https://discord.gg/wmD3sGnMMe 3 years ago 85: The State of PHP Usergroup Organizers With life getting closer and closer to normal, User Groups are making a comeback. Running a PHP Usergroup can be very rewarding at times and feel thankless at other times. There is a lot of benefit to becoming a Usergroup Organizer, like deciding what the group talks about at meetups. At this Roundtable, we talk with several PHP Usergroup organizers and discuss the pros and cons of running a PHP User Group and what some helpful tips and tricks are. 3 years ago 84: Back at the Table There has been a long hiatus from the Roundtable but we are back. This month I am joined by Sara Golemon, Joe Ferguson, and Ben Ramsey and we talk about the current state of PHP. 4 years ago 83: 10 Years of Laravel 10 years of Laravel, and the framework continues to grow stronger with the passing of each release. More and more talented developers are creating packages and contributing to the overall health of Laravel. 4 years ago 82: A Seat at the Table Sammy opens the Roundtable back up. Everyone talks about what they've been doing for the past few years. What we are up to now. And what the future holds for The PHPRoundtable. « Previous Next » Showing 1 to 12 of 93 results 1 2 3 4 5 6 7 8 Sponsors About Us Sponsors © 2026 PHPRoundtable Proud member of the php[architect] family
2026-01-13T09:30:36
https://alive2.llvm.org/#load-browser-local
Compiler Explorer Add... Source Editor Diff View More Settings Reset UI layout Reset code and UI layout Open new tab History Thanks for using Compiler Explorer × Sponsors Share Other Become a Patron Sponsor on GitHub Donate via PayPal Source on GitHub Mailing list Installed libraries Wiki Report an issue How it works Contact the author About the author Changelog Version tree Short Short Full   Embedded  Save/Load  Add new... Compiler Execution only Conformance view Source editor   Vim  CppInsights  Quick-bench Popular arguments  Output... Compile to binary Run the compiled output Intel asm syntax Demangle identifiers  Filter... Unused labels Library functions Directives Comments Horizontal whitespace  Libraries  Add new... Clone compiler Optimization output AST output IR output GCC Tree/RTL output Graph output  Add tool...  Output  ( 0 / 0 )  Libraries  Compilation  Arguments  Stdin  Compiler output Wrap lines Wrap lines  Arguments  Stdin Left:  Right:  Tree pass RTL pass Nav Physics  Add compiler  Libraries No libs configured for this language yet. You can suggest us one at any time  Load and save editor text × Examples Browser-local storage Browser-local history File system Load from examples: Load from browser-local storage: Save to browser-local storage Load from browser-local history: Load/save to your system Load from a local file Save to file Close Something alert worthy × Close Well, do you or not? × No Yes Compiler Explorer Settings × These settings control how Compiler Explorer acts for you. They are not preserved as part of shared URLs, and are persisted locally using browser local storage. Site behaviour Default language  Allow my source code to be temporarily stored for diagnostic purposes in the event of an error Theme  Use last selected language when opening new Editors Show community events Keybindings Vim Editor Desired Font Family in editors Enable font ligatures Automatically insert matching brackets and parentheses Automatically indent code (reload page after changing) Highlight linked code lines on hover Show asm description on hover Show quick suggestions Use custom context menu Show editor minimap Keep editor source on language change Use spaces for indentation  Tab width  Format based on  Make Ctrl + S  save to local file instead of creating a share link Enable Word Wrapping Compilation Compile automatically when source changes Delay before compiling:  0.25s   3s Colourise lines to show how the source maps to the output Colour scheme  Close  Read the new cookie policy Compiler Explorer uses cookies and other related techs to serve you  Consent  Don't consent Share embedded × Read Only Hide Editor Toolbars History × History Diff   Inline diff Close
2026-01-13T09:30:36
http://www.php.net/x-myracloud-5958a2bbbed300a9b9ac631223924e0b/1768296245.94
PHP update page now Downloads Documentation Get Involved Help Search docs Getting Started Introduction A simple tutorial Language Reference Basic syntax Types Variables Constants Expressions Operators Control Structures Functions Classes and Objects Namespaces Enumerations Errors Exceptions Fibers Generators Attributes References Explained Predefined Variables Predefined Exceptions Predefined Interfaces and Classes Predefined Attributes Context options and parameters Supported Protocols and Wrappers Security Introduction General considerations Installed as CGI binary Installed as an Apache module Session Security Filesystem Security Database Security Error Reporting User Submitted Data Hiding PHP Keeping Current Features HTTP authentication with PHP Cookies Sessions Handling file uploads Using remote files Connection handling Persistent Database Connections Command line usage Garbage Collection DTrace Dynamic Tracing Function Reference Affecting PHP's Behaviour Audio Formats Manipulation Authentication Services Command Line Specific Extensions Compression and Archive Extensions Cryptography Extensions Database Extensions Date and Time Related Extensions File System Related Extensions Human Language and Character Encoding Support Image Processing and Generation Mail Related Extensions Mathematical Extensions Non-Text MIME Output Process Control Extensions Other Basic Extensions Other Services Search Engine Extensions Server Specific Extensions Session Extensions Text Processing Variable and Type Related Extensions Web Services Windows Only Extensions XML Manipulation GUI Extensions Keyboard Shortcuts ? This help j Next menu item k Previous menu item g p Previous man page g n Next man page G Scroll to bottom g g Scroll to top g h Goto homepage g s Goto search (current page) / Focus search box A popular general-purpose scripting language that is especially suited to web development. Fast, flexible and pragmatic, PHP powers everything from your blog to the most popular websites in the world. What's new in 8.5 Download 8.5.1 · Changelog · Upgrading 8.4.16 · Changelog · Upgrading 8.3.29 · Changelog · Upgrading 8.2.30 · Changelog · Upgrading 18 Dec 2025 PHP 8.1.34 Released! The PHP development team announces the immediate availability of PHP 8.1.34. This is a security release. All PHP 8.1 users are encouraged to upgrade to this version. For source downloads of PHP 8.1.34 please visit our downloads page , Windows source and binaries can also be found there . The list of changes is recorded in the ChangeLog . 18 Dec 2025 PHP 8.4.16 Released! The PHP development team announces the immediate availability of PHP 8.4.16. This is a security release. All PHP 8.4 users are encouraged to upgrade to this version. For source downloads of PHP 8.4.16 please visit our downloads page , Windows source and binaries can also be found there . The list of changes is recorded in the ChangeLog . 18 Dec 2025 PHP 8.2.30 Released! The PHP development team announces the immediate availability of PHP 8.2.30. This is a security release. All PHP 8.2 users are encouraged to upgrade to this version. For source downloads of PHP 8.2.30 please visit our downloads page , Windows source and binaries can also be found there . The list of changes is recorded in the ChangeLog . 18 Dec 2025 PHP 8.3.29 Released! The PHP development team announces the immediate availability of PHP 8.3.29. This is a security release. All PHP 8.3 users are encouraged to upgrade to this version. For source downloads of PHP 8.3.29 please visit our downloads page , Windows source and binaries can also be found there . The list of changes is recorded in the ChangeLog . 18 Dec 2025 PHP 8.5.1 Released! The PHP development team announces the immediate availability of PHP 8.5.1. This is a security release. All PHP 8.5 users are encouraged to upgrade to this version. For source downloads of PHP 8.5.1 please visit our downloads page , Windows source and binaries can also be found there . The list of changes is recorded in the ChangeLog . 20 Nov 2025 PHP 8.5.0 Released! The PHP development team announces the immediate availability of PHP 8.5.0. This release marks the latest minor release of the PHP language. PHP 8.5 comes with numerous improvements and new features such as: New "URI" extension New pipe operator (|>) Clone With New #[\NoDiscard] attribute Support for closures, casts, and first class callables in constant expressions And much much more... For source downloads of PHP 8.5.0 please visit our downloads page , Windows source and binaries can also be found there . The list of changes is recorded in the ChangeLog . The migration guide is available in the PHP Manual. Please consult it for the detailed list of new features and backward incompatible changes. Kudos to all the contributors and supporters! 20 Nov 2025 PHP 8.4.15 Released! The PHP development team announces the immediate availability of PHP 8.4.15. This is a bug fix release. All PHP 8.4 users are encouraged to upgrade to this version. For source downloads of PHP 8.4.15 please visit our downloads page , Windows source and binaries can also be found there . The list of changes is recorded in the ChangeLog . 20 Nov 2025 PHP 8.3.28 Released! The PHP development team announces the immediate availability of PHP 8.3.28. This is a bug fix release. All PHP 8.3 users are encouraged to upgrade to this version. For source downloads of PHP 8.3.28 please visit our downloads page , Windows source and binaries can also be found there . The list of changes is recorded in the ChangeLog . 13 Nov 2025 PHP 8.5.0 RC 5 available for testing The PHP team is pleased to announce the fifth release candidate of PHP 8.5.0, RC 5. This continues the PHP 8.5 release cycle, the rough outline of which is specified in the PHP Wiki . For source downloads of PHP 8.5.0 RC5, please visit the download page . Please carefully test this version and report any issues found on GitHub . Please DO NOT use this version in production, it is a test version. For more information on the new features and other changes, you can read the NEWS file, or the UPGRADING file for a complete list of upgrading notes. These files can also be found in the release archive. The next release will be the GA release of PHP 8.5.0, planned for 20 Nov 2025. The signatures for the release can be found in the manifest or on the Release Candidates page . Thank you for helping us make PHP better. 06 Nov 2025 PHP 8.5.0 RC4 available for testing The PHP team is pleased to announce the final planned release candidate of PHP 8.5.0, RC 4. This continues the PHP 8.5 release cycle, the rough outline of which is specified in the PHP Wiki . For source downloads of PHP 8.5.0 RC4, please visit the download page . Please carefully test this version and report any issues found on GitHub . Please DO NOT use this version in production, it is a test version. For more information on the new features and other changes, you can read the NEWS file, or the UPGRADING file for a complete list of upgrading notes. These files can also be found in the release archive. The next release will be the GA release of PHP 8.5.0, planned for 20 Nov 2025. The signatures for the release can be found in the manifest or on the Release Candidates page . Thank you for helping us make PHP better. 23 Oct 2025 PHP 8.3.27 Released! The PHP development team announces the immediate availability of PHP 8.3.27. This is a bug fix release. All PHP 8.3 users are encouraged to upgrade to this version. For source downloads of PHP 8.3.27 please visit our downloads page , Windows source and binaries can be found on windows.php.net/download/ . The list of changes is recorded in the ChangeLog . 23 Oct 2025 PHP 8.4.14 Released! The PHP development team announces the immediate availability of PHP 8.4.14. This is a bug fix release. All PHP 8.4 users are encouraged to upgrade to this version. For source downloads of PHP 8.4.14 please visit our downloads page , Windows source and binaries can be found on windows.php.net/download/ . The list of changes is recorded in the ChangeLog . 23 Oct 2025 PHP 8.5.0 RC 3 available for testing The PHP team is pleased to announce the third release candidate of PHP 8.5.0, RC 3. This continues the PHP 8.5 release cycle, the rough outline of which is specified in the PHP Wiki . For source downloads of PHP 8.5.0 RC3, please visit the download page . Please carefully test this version and report any issues found on GitHub . Please DO NOT use this version in production, it is an early test version. For more information on the new features and other changes, you can read the NEWS file, or the UPGRADING file for a complete list of upgrading notes. These files can also be found in the release archive. The next release will be RC4, planned for 6 Nov 2025. The signatures for the release can be found in the manifest or on the Release Candidates page . Thank you for helping us make PHP better. 09 Oct 2025 PHP 8.5.0 RC 2 available for testing The PHP team is pleased to announce the second release candidate of PHP 8.5.0, RC 2. This continues the PHP 8.5 release cycle, the rough outline of which is specified in the PHP Wiki . For source downloads of PHP 8.5.0 RC2, please visit the download page . Please carefully test this version and report any issues found on GitHub . Please DO NOT use this version in production, it is an early test version. For more information on the new features and other changes, you can read the NEWS file, or the UPGRADING file for a complete list of upgrading notes. These files can also be found in the release archive. The next release will be RC3, planned for 23 Oct 2025. The signatures for the release can be found in the manifest or on the Release Candidates page . Thank you for helping us make PHP better. 25 Sep 2025 PHP 8.5.0 RC 1 available for testing The PHP team is pleased to announce the first release candidate of PHP 8.5.0, RC 1. This continues the PHP 8.5 release cycle, the rough outline of which is specified in the PHP Wiki . For source downloads of PHP 8.5.0 RC1, please visit the download page . Please carefully test this version and report any issues found on GitHub . Please DO NOT use this version in production, it is an early test version. For more information on the new features and other changes, you can read the NEWS file, or the UPGRADING file for a complete list of upgrading notes. These files can also be found in the release archive. The next release will be RC2, planned for 9 Oct 2025. The signatures for the release can be found in the manifest or on the Release Candidates page . Thank you for helping us make PHP better. 25 Sep 2025 PHP 8.3.26 Released! The PHP development team announces the immediate availability of PHP 8.3.26. This is a bug fix release. All PHP 8.3 users are encouraged to upgrade to this version. For source downloads of PHP 8.3.26 please visit our downloads page , Windows source and binaries can be found on windows.php.net/download/ . The list of changes is recorded in the ChangeLog . 25 Sep 2025 PHP 8.4.13 Released! The PHP development team announces the immediate availability of PHP 8.4.13. This is a bug fix release. All PHP 8.4 users are encouraged to upgrade to this version. For source downloads of PHP 8.4.13 please visit our downloads page , Windows source and binaries can be found on windows.php.net/download/ . The list of changes is recorded in the ChangeLog . 11 Sep 2025 PHP 8.5.0 Beta 3 available for testing The PHP team is pleased to announce the third beta release of PHP 8.5.0, Beta 3. This continues the PHP 8.5 release cycle, the rough outline of which is specified in the PHP Wiki . For source downloads of PHP 8.5.0 Beta 3, please visit the download page . Please carefully test this version and report any issues found on GitHub . Please DO NOT use this version in production, it is an early test version. For more information on the new features and other changes, you can read the NEWS file, or the UPGRADING file for a complete list of upgrading notes. These files can also be found in the release archive. The next release will be RC1, planned for 25 Sep 2025. The signatures for the release can be found in the manifest or on the Release Candidates page . Thank you for helping us make PHP better. 28 Aug 2025 PHP 8.5.0 Beta 2 available for testing The PHP team is pleased to announce the second beta release of PHP 8.5.0, Beta 2. This continues the PHP 8.5 release cycle, the rough outline of which is specified in the PHP Wiki . For source downloads of PHP 8.5.0 Beta 2 please visit the download page . Please carefully test this version and report any issues found on GitHub . Please DO NOT use this version in production, it is an early test version. For more information on the new features and other changes, you can read the NEWS file, or the UPGRADING file for a complete list of upgrading notes. These files can also be found in the release archive. The next release will be Beta 3, planned for 11 Sep 2025. The signatures for the release can be found in the manifest or on the Release Candidates page . Thank you for helping us make PHP better. 28 Aug 2025 PHP 8.3.25 Released! The PHP development team announces the immediate availability of PHP 8.3.25. This is a bug fix release. All PHP 8.3 users are encouraged to upgrade to this version. For source downloads of PHP 8.3.25 please visit our downloads page , Windows source and binaries can be found on windows.php.net/download/ . The list of changes is recorded in the ChangeLog . 28 Aug 2025 PHP 8.4.12 Released! The PHP development team announces the immediate availability of PHP 8.4.12. This is a bug fix release. All PHP 8.4 users are encouraged to upgrade to this version. For source downloads of PHP 8.4.12 please visit our downloads page , Windows source and binaries can be found on windows.php.net/download/ . The list of changes is recorded in the ChangeLog . 14 Aug 2025 PHP 8.5.0 Beta 1 available for testing The PHP team is pleased to announce the first beta release of PHP 8.5.0, Beta 1. This continues the PHP 8.5 release cycle, the rough outline of which is specified in the PHP Wiki . For source downloads of PHP 8.5.0 Beta 1 please visit the download page . Please carefully test this version and report any issues found on GitHub . Please DO NOT use this version in production, it is an early test version. For more information on the new features and other changes, you can read the NEWS file, or the UPGRADING file for a complete list of upgrading notes. These files can also be found in the release archive. The next release will be Beta 2, planned for 28 Aug 2025. The signatures for the release can be found in the manifest or on the Release Candidates page . Thank you for helping us make PHP better. 01 Aug 2025 PHP 8.5.0 Alpha 4 available for testing The PHP team is pleased to announce the third testing release of PHP 8.5.0, Alpha 4. This continues the PHP 8.5 release cycle, the rough outline of which is specified in the PHP Wiki . For source downloads of PHP 8.5.0 Alpha 4 please visit the download page . Please carefully test this version and report any issues found on GitHub . Please DO NOT use this version in production, it is an early test version. For more information on the new features and other changes, you can read the NEWS file, or the UPGRADING file for a complete list of upgrading notes. These files can also be found in the release archive. The next release will be Beta 1, planned for 14 Aug 2025. The signatures for the release can be found in the manifest or on the Release Candidates page . Thank you for helping us make PHP better. 31 Jul 2025 PHP 8.4.11 Released! The PHP development team announces the immediate availability of PHP 8.4.11. This is a bug fix release. All PHP 8.4 users are encouraged to upgrade to this version. For source downloads of PHP 8.4.11 please visit our downloads page , Windows source and binaries can be found on windows.php.net/download/ . The list of changes is recorded in the ChangeLog . 31 Jul 2025 PHP 8.3.24 Released! The PHP development team announces the immediate availability of PHP 8.3.24. This is a bug fix release. All PHP 8.3 users are encouraged to upgrade to this version. For source downloads of PHP 8.3.24 please visit our downloads page , Windows source and binaries can be found on windows.php.net/download/ . The list of changes is recorded in the ChangeLog . Older News Entries The PHP Foundation The PHP Foundation is a collective of people and organizations, united in the mission to ensure the long-term prosperity of the PHP language. Donate Upcoming conferences International PHP Conference Berlin 2026 Laravel Live Japan Conferences calling for papers Dutch PHP Conference 2026 User Group Events Special Thanks Social media @official_php @php@fosstodon.org @phpnet Copyright © 2001-2026 The PHP Group My PHP.net Contact Other PHP.net sites Privacy policy View Source ↑ and ↓ to navigate • Enter to select • Esc to close • / to open Press Enter without selection to search using Google
2026-01-13T09:30:36
http://www.videolan.org/news.html#news-2021-12-15
News - VideoLAN * { behavior: url("/style/box-sizing.htc"); } Toggle navigation VideoLAN Team & Organization Consulting Services & Partners Events Legal Press center Contact us VLC Download Features Customize Get Goodies Projects DVBlast x264 x262 x265 multicat dav1d VLC Skin Editor VLC media player libVLC libdvdcss libdvdnav libdvdread libbluray libdvbpsi libaacs libdvbcsa biTStream vlc-unity All Projects Contribute Getting started Donate Report a bug Support donate donate Donate donate donate VideoLAN, a project and a non-profit organization. News archive VLC 3.0.23 2026-01-08 VideoLAN and the VLC team are publishing the 3.0.23 release of VLC today, which is the 24th update to VLC's 3.0 branch: it updates codecs, adds a dark mode option on Windows and Linux, support for Windows ARM64 and improves support for Windows XP SP3. This is the largest bug fix release ever with a large number of stability and security improvements to demuxers (reported by rub.de, oss-fuzz and others) and updates to most third party libraries. Additional details on the release page . The security impact of this release is detailed here . The major maintenance effort of this release to strengthen VLC's overall stability as well as the compatibility with old releases of Windows and macOS was made possible by a generous sponsorship of the Sovereign Tech Fund by Germany's Federal Ministry for Digital Transformation and Government Modernisation. VLC for iOS, iPadOS and tvOS 3.7.0 2026-01-08 Alongside the 3.0.23 release for desktop, VideoLAN and the VLC team are publishing a larger update for Apple's mobile platforms to include the latest improvements of VLC's 3.0 branch plus important bug fixes and amendments for the 26 versions of the OS. Previously, we added pCloud as a European choice for cloud storage allowing direct streaming and downloads within the app. New releases for biTStream, DVBlast and multicat 2025-12-01 We are pleased to release versions 1.6 of biTStream , 3.5 of DVBlast and 2.4 of multicat . DVBlast and multicat had major improvements and new features. New releases for libdvdcss, libdvdread and libdvdnav 2025-11-09 New releases of libdvdread , libdvdnav and libdvdcss have been published today. The biggest features of those releases (libdvdread/nav 7 and libdvdcss 1.5) are related to DVD-Audio support, including DRM decryption. VLC for Android 3.6.0 2025-01-13 We are pleased to release version 3.6.0 of the VLC version for the Android platform. It comes with the new Remote Access feature, a parental control and a lot of fixes. See our Android page . VLC 3.0.21 2024-06-10 VideoLAN and the VLC team are publishing the 3.0.21 release of VLC today, which is the 22nd update to VLC's 3.0 branch: it updates codecs, adds Super Resolution and VQ Enhancement filtering with AMD GPUs, NVIDIA TrueHDR to generate a HDR representation from SDR sources with NVIDIA GPUs and improves playback of numerous formats including improved subtitles rendering notably on macOS with Asian languages. Additional details on the release page . This release also fixes a security issue, which is detailed here . VLC for iOS, iPadOS and Apple TV 3.5.0 2024-02-16 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding playback history, A to B playback, Siri integration, support for external subtitles and audio tracks, a way to favorite folders on local network servers, improved CarPlay integration and many small improvements. VLC 3.0.20 2023-11-02 Today, VideoLAN is publishing the 3.0.20 release of VLC, which is a medium update to VLC's 3.0 branch: it updates codecs, fixes a FLAC quality issue and improves playback of numerous formats including improved subtitles rendering. It also fixes a freeze when using frame-by-frame actions. On macOS, audio layout problems are resolved. Finally, we update the user interface translations and add support for more. Additional details on the release page . This release also fixes two security issues, which are detailed here and there . VLC for iOS, iPadOS and Apple TV 3.4.0 2023-05-03 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new audio playback interface, CarPlay integration, various improvements to the local media library and iterations to existing features such as WiFi Sharing. Notably, we also added maintenance improvements to the port to tvOS including support for the Apple Remote's single click mode. See the press release for details. VLC 3.0.18 2022-11-29 Today, VideoLAN is publishing the 3.0.18 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . This release also fixes multiple security issues, which are detailed here . VideoLAN supports the UNHCR 2022-10-24 VideoLAN is a de-facto pacifist organization and cares about cross-countries cooperations, and believes in the power of knowledge and sharing. War goes against those ideals. As a response Russia's invasion of Ukraine, we decided to financially support the United Nations High Commissioner for Refugees and their work on aiding and protecting forcibly displaced people and communities, in the places where they are necessary. See our press statement . VLC for Android 3.5.0 2022-07-20 VideoLAN is proud to release the new major version of VLC for Android. It comes with new widgets, network media indexation, a better tablet and foldable support, design improvements in the audio screen, improved accessibility and performance improvements. VLC 3.0.17 2022-04-19 Today, VideoLAN is publishing the 3.0.17 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . VLC for iOS, iPadOS and tvOS 3.3.0 2022-03-21 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new video playback interface, support for NFS and SFTP network shares and major improvements to the media handling especially for audio. See the press release . libbluray releases 2022-03-06 libbluray and related libraries, libaacs and libbdplus, have new releases, focused on maintenance, minor improvements, and notably new OSes and new java versions compatibility. See libbluray , libaacs and libbdplus pages. VLC and log4j 2021-12-15 Since its very early days in 1996, VideoLAN software is written in programming languages of the C family (mostly plain C with additions in C++ and Objective-C) with the notable exception of its port to Android, which was started in Java and recently transitioned to Kotlin. VLC does not use the log4j library on any platform and is therefore unaffected by any related security implications. VLC for Android 3.4.0 2021-09-20 We are pleased to release version 3.4.0 of the VLC version for the Android platforms. Still based on libVLC 3, it revamps the Audio Player and the Auto support, it adds bookmarks in each media, simplifies the permissions and improves video grouping. See our Android page . VLC 3.0.16 2021-06-21 Today, VideoLAN is publishing the 3.0.16 release of VLC, which fixes delays when seeking on Windows, opening DVD folders with non-ASCII character names, fixes HTTPS support on Windows XP, addresses audio drop-outs on seek with specific MP4 content and improves subtitles renderering. It also adds support for the TouchBar on macOS. More details on the release page . VLC 3.0.14, auto update issues and explanations 2021-05-11 VLC users on Windows might encounter issues when trying to auto update VLC from version 3.0.12 and 3.0.13. Find more details here . We are publishing version 3.0.14 to address this problem for future updates. VLC 3.0.13 2021-05-10 VideoLAN is now publishing 3.0.13 release, which improves the network shares and adaptive streaming support, fixes some MP4 audio regressions, fixes some crashes on Windows and macOS and fixes security issues. More details on the release page . libbluray 1.3.0 2021-04-05 A new release of libbluray was pushed today, adding new APIs, to improve the control of the library, improve platforms support, and fix some bugs. See our libbluray page. VideoLAN is 20 years old today! 2021-02-01 20 years ago today, VideoLAN moved from a closed-source student project to the GNU GPL, thanks to the authorization of the École Centrale Paris director at that time. VLC has grown a lot since, thanks to 1000 volunteers! Read our press release! . VLC for Android 3.3.4 2021-01-21 VideoLAN is now publishing the VLC for Android 3.3.4 release which focuses on improving the Chromecast support. Since the 3.3.0 release, a lot of improvements have been made for Android TV, SMB support, RTL support, subtitles picking and stability. . VLC 3.0.12 2021-01-18 VideoLAN is now publishing 3.0.12 release, which adds support for Apple Silicon, improves Bluray, DASH and RIST support. It fixes some audio issues on macOS, some crashes on Windows and fixes security issues. More details on the release page . libbluray 1.2.1 2020-10-23 A minor release of libbluray was pushed today, focused on fixing bugs and improving the support for UHD Blurays. More details on the libbluray page. VLC for Android 3.3 2020-09-23 VideoLAN is proud to release the new major version of VLC for Android. A complete design rework has been done. The navigation is now at the bottom for a better experience. The Video player has also been completely revamped for a more modern look. The video grouping has been improved and lets you create custom groups. You can also easily share your media with your friends. The settings have been simplified and a lot of bugs have been fixed. VLC 3.0.11.1 2020-07-29 Today, VideoLAN is publishing the VLC 3.0.11.1 release for macOS, which notably solves an audio rendering regression introduced in the last update specific to that platform. Additionally, it improves playback of HLS streams, WebVTT subtitles and UPnP discovery. VLC 3.0.11 2020-06-16 VideoLAN is now publishing the VLC 3.0.11 release, which improves HLS playback and seeking certain m4a files as well as AAC playback. Additionally, this solves an audio rendering regression on macOS when pausing playback and adds further bug fixes. Additionally, a security issue was resolved. More information available on the release page . VLC 3.0.10 2020-04-28 VideoLAN is now publishing the VLC 3.0.10 release, which improves DVD, macOS Catalina, adaptive streaming, SMB and AV1 support, and fixes some important security issues. More information available on the release page . We are also releasing new versions for iOS (3.2.8) and Android 3.2.11 for the same security issues. VLC for iOS and tvOS releases 2020-03-31 VideoLAN is publishing updates to VLC on iOS and tvOS, to fix numerous small issues, add passcode protection on the web sharing, and improve the quick actions and the stability of the application. VLC for iOS 3.2.5 release 2019-12-03 VideoLAN is publishing updates to VLC on iOS, to improve support for iOS9 compatibility and add new quick actions and improves the collection handling. libdvdread and libdvdnav releases 2019-10-13 We are publishing today libdvdnav and libdvdread minor releases to fix minor crashes and improving the support for difficult discs. See libdvread page for more information . VLC for iOS 3.2.0 release 2019-09-14 VideoLAN is finally publishing its new major version of iOS, numbered 3.2.0. This update starts the changes for the new interface that will drive the development for the next year. It should give the correct building blocks for the future of the iOS app. VLC 3.0.8 2019-08-19 VideoLAN is now publishing the VLC 3.0.8 release, which improves adaptive streaming support, audio output on macOS, VTT subtitles rendering, and also fixes a dozen of security issues. More information available on the release page . VLC 3.0.7 2019-06-07 After 100 millions downloads of 3.0.6, VideoLAN is releasing today the VLC 3.0.7 release, focusing on numerous security fixes, improving HDR support on Windows, and Blu-ray menu support. VideoLAN would like to thank the EU-FOSSA project from the European Commission, who funded this initiative. More information available on the release page . VLC for Android 3.1 2019-04-08 VideoLAN is happy to present the new major version of VLC for Android platforms. Featuring AV1 decoding with dav1d, Android Auto, Launcher Shortcuts, Oreo/Pie integration, Video Groups, SMBv2, and OTG drive support, but also improvements on Cast, Chromebooks and managing the audio/video libraries, this is a quite large update. libbluray 1.1.0 2019-02-12 VideoLAN is releasing a new major version of libbluray: 1.1.0. It adds support for UHD menus (experimental) , for more recents of Java, and improves vastly BD-J menus. This release fixes numerous small issues reported. libdvdread 6.0.1 2019-02-05 VideoLAN is releasing a new minor version of libdvdread, numbered 6.0.1, fixing minor DVD issues. See libdvdread page for more info. VLC reaches 3 billion downloads 2019-01-12 VideoLAN is very happy to announce that VLC crossed the 3 billion downloads on our website: VLC statistics . Please note that this number is under-estimating the number of downloads of VLC. VLC 3.0.6 2019-01-10 VideoLAN is now publishing the VLC 3.0.6 release, which fixes an important regression that appeared on 3.0.5 for DVD subtitles. It also adds support for HDR in AV1. VLC 3.0.5 2018-12-27 VideoLAN is now publishing the VLC 3.0.5 release, a new minor release of the 3.0 branch. This release notably improves the macOS mojave support, adds a new AV1 decoder and fixes numerous issues with hardware acceleration on Windows. More information available here . VLC 3.0.4 2018-08-31 VideoLAN is publishing the VLC 3.0.4 release, a new minor release of the 3.0 branch. This release notably improves the video outputs on most OSes, supports AV1 codec, and fixes numerous small issues on all OSes and Platforms. More information available here . Update for all Windows versions is strongly advised. VLC 3.0.13 for Android 2018-07-31 VideoLAN is publishing today, VLC 3.0.13 on Android and Android TV. This release fixes numerous issues from the 3.0.x branch and improves stability. VLC 3.1.0 for WinRT and iOS 2018-07-20 VideoLAN is publishing today, VLC 3.1.0 on iOS and on Windows App (WinRT) platforms. This release brings hardware encoding and ChromeCast on those 2 mobile platforms. It also updates the libvlc to 3.0.3 in those platforms. VLC 3.0.3 2018-05-29 VideoLAN is publishing the VLC 3.0.3 release, a new minor release of 3.0. This release is fixing numerous crashes and regressions from VLC 3.0.0, "Vetinari", and it fixes some security issues. More information available here . Update for everyone is advised for this release. VLC 3.0.2 2018-04-23 VideoLAN is publishing the VLC 3.0.2 release, for general availability. This release is fixing most of the important bugs and regressions from VLC 3.0.0, "Vetinari", and improves decoding speed on macOS. More than 150 bugs were fixed since the 3.0.0 release. More information available here . VLC 3.0.1 2018-02-28 VideoLAN and the VLC development team are releasing VLC 3.0.1, the first bugfix release of the "Vetinari" branch, for Linux, Windows and macOS. This version improves the chromecast support, hardware decoding, adaptive streaming, and fixes many bugs or crashes encountered in the 3.0.0 version. In total more than 30 issues have been fixed, on all platforms. More information available here . VLC 3.0.0 2018-02-09 VideoLAN and the VLC development team are releasing VLC 3.0.0 "Vetinari" for Linux, Windows, OS X, BSD, Android, iOS, UWP and Windows Phone today! This is the first major release in three years. It activates hardware decoding by default to get 4K and 8K playback, supports 10bits and HDR playback, 360° video and 3D audio, audio passthrough for HD audio codecs, streaming to Chromecast devices (even in formats not supported natively), playback of Blu-Ray Java menus and adds browsing of local network drives. More info on our release page . VLC 2.2.8 2017-12-05 VideoLAN and the VLC development team are happy to publish version 2.2.8 of VLC media player today. This release fixes a security issue in the AVI demuxer. Additionally, it includes the following fixes, which are part of 2.2.7: This release fixes compatibility with macOS High Sierra and fixes SSA subtitles rendering on macOS. This release also fixes a few security issues, in the flac and the libavcodec modules (heap write overflow), in the avi module and a few crashes. For macOS users, please note: A bug was fixed in VLC 2.2.7 concerning the update mechanism on macOS. In rare circumstances, an auto-update from older versions of VLC to VLC 2.2.8 might not be possible. Please download the update manually from our website in this case. VideoLAN joins the Alliance for Open Media 2017-05-16 The VideoLAN non-profit organization is joining the Alliance for Open Media , to help developing open and royalty-free codecs and other video technologies! More information in our press release: VideoLAN joins Alliance for Open Media . VLC 2.2.5.1 2017-05-12 VideoLAN and the VLC development team are happy to publish version 2.2.5.1 of VLC media player today This fifth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.4, notably video rendering issues on AMD graphics card as well as audio distortion on macOS and 64bit Windows for certain audio files. It also includes updated codecs libraries and improves overall security. Read more about it on our release page . Press release: Wikileaks revelations about VLC 2017-03-09 Following the recent revelations from Wikileaks about the use of VLC by the CIA, you can download the official statement from the VideoLAN organization here . VLC for Android 2.1 beta 2017-02-24 VideoLAN and the VLC development team are happy to publish beta version 2.1 of VLC for Android today It brings 360° video & faster audio codecs passthru support, performances improvements, Android auto integration and a refreshed UX. See all new features and get it VLC for Android 2.0.0 2016-06-21 VideoLAN and the VLC development team are happy to publish version 2.0 of VLC for Android today It supports network shares browsing and playback, video playlists, downloading subtitles, pop-up video view and multiwindows, the new releases of the Android operating system, and merged Android TV and Android packages. Get it now! and give us your feedback. VLC 2.2.4 2016-06-05 VideoLAN and the VLC development team are happy to publish version 2.2.4 of VLC media player today This fourth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.3 for Windows XP and certain audio files. It also includes updated codecs libraries and fixes a security issue when playing specifically crafted QuickTime files as well as a 3rd party security issue in libmad. Read more about it on our release page . VideoLAN servers under maintenance 2016-05-19 Due to unscheduled maintenance on one of our servers, some git repositories , the trac bug tracker and mailing-lists are currently not available. We are restoring the services, but we can't give detailed information when everything will be back online. Note that downloads from this website, git repositories on code.videolan.org , the wiki and the forum are not affected. Important: Any communication send to email addresses on the videolan.org domain (aka yourdude@videolan.org) won't reach the receiver. VLC 2.2.3 2016-05-03 VideoLAN and the VLC development team are happy to publish version 2.2.3 of VLC media player today This third stable release of the "WeatherWax" version of VLC fixes more than 30 important bugs reported on VLC 2.2.2. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Read more about it on our release page . VideoLAN Dev Days 2016 part of QtCon 2016-02-18 2016 is a special year for many FLOSS projects: VideoLAN as open-source project and Free Software Foundation Europe both have their 15th birthday while KDE has its 20th birthday. All these call for celebrations! This year VideoLAN has come together with Qt , FSFE , KDE and KDAB to bring you QtCon , where attendees can meet, collaborate and get the latest news of all these projects. VideoLAN Dev Days 2016 will be organised as part of QtCon in Berlin. The event will start on Friday the 2nd of September with 3 shared days of talks, workshops, meetups and coding sessions. The current plan is to have a Call for Papers in March with the Program announced in early June. VLC 2.2.2 2016-02-06 VideoLAN and the VLC development team are happy to publish version 2.2.2 of VLC media player today This second stable release of the "WeatherWax" version of VLC fixes more than 100 important bugs and security issues reported on VLC 2.2.1. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Finally, this update solves installation issues on Mac OS X 10.11 El Capitan. Read more about it on our release page . 15 years of GPL 2016-02-01 VideoLAN is happy to celebrate with you the 15th anniversary of the birth of VideoLAN and VLC as open source projects! Announcing VLC for Apple TV 2016-01-12 VideoLAN and the VLC team is excited to announce the first release of VLC for Apple TV. It allows you to get access to all your files and video streams in their native formats without conversions, directly on the new Apple device and your TV. You can find details in our press release . libdvdcss 1.4.0 2015-12-24 VideoLAN is proud to announce the release of version 1.4.0 of libdvdcss . This release adds support for network callbacks, to play ISOs over the network, Android support, and cleans the codebase. VLC for iOS 2.7.0 2015-12-22 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds full support for iOS 9 including split screen and iPad Pro, for Windows shares (SMB), watchOS 2, a new subtitles engine, right-to-left interfaces, system-wide search (spotlight), Touch ID protection, and more. It will be available on the App Store shortly. VLC for ChromeOS 2015-12-17 VideoLAN and the Android teams are happy to announce the port of VLC to the ChromeOS operating system. This is the port of the Android version to ChromeOS, using the Android Runtime on Chrome. You can download it now! . VLC for Android 1.7.0 2015-12-01 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.7.0. This release includes a large refactoring that gives a new playlist, new notifications, a new subtitles engine, and uses less permissions. Get it now! . VLC for Android 1.6.0 2015-10-09 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.6.0. Ported to Android 6.0, this release should provide an important performance boost for decoding and the interface. Get it now! . DVBlast 3.0, multicat 2.1, bitstream 1.1 2015-10-07 VideoLAN and the DVBlast teams are happy to present the simultaneous release of DVBlast 3.0, bitstream 1.1 and multicat 2.1! DVBlast and multicat are now ported to OSX and DVBlast 3.0 is a major rewrite with new features like PID/SID remapping and stream monitoring. DVBlast , bitstream and multicat . libbluray 0.9.0 2015-10-04 VideoLAN and the libbluray team are releasing today libbluray 0.9.0. Adding numerous features, notably to better support BD-J menus and embedded subtitles files, it also fixes a few important issues, like font-caching. See more on libbluray page VLC for iOS 2.6.0 2015-06-30 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds support for Apple Watch to remote control and browse the library on iPhone, a mini player and large number of improvements through-out the app. It will be available on the App Store shortly. libbluray 0.8.0, libaacs 0.8.1 released 2015-04-30 The 2 VideoLAN Blu-Ray libraries have been released: libbluray 0.8.0 , libaacs 0.8.1 . These releases add support for ISO files, BD-J JSM and virtual devices. VLC 2.2.1 2015-04-16 VideoLAN and the VLC development team are releasing today VLC 2.2.1, named "Terry Pratchett". This first stable release of the "WeatherWax" version of VLC fixes most of the important bugs reported of VLC 2.2.0. VLC 2.2.0, a major version of VLC, introduced accelerated auto-rotation of videos, 0-copy hardware acceleration, support for UHD codecs, playback resume, integrated extensions and more than 1000 bugs and improvements. 2.2.0 release was the first release to have versions for all operating systems, including mobiles (iOS, Android, WinRT). More info on our release page VLC for Android 1.2.1, for WinRT & Windows Phone 1.2.1 and for iOS 2.5.0 2015-03-27 VideoLAN and the VLC development team are happy to release updates for all three mobile platforms today. VLC for Android received support for audio playlists, improved audio quality, improvements to the material design interface, including the black theme and switch to audio mode. Further, it is a major update for Android TV adding support for media discovery via UPnP, with improvements for recommendations and gamepads. VLC for Windows Phone and WinRT received partial hardware accelerated decoding allowing playback of HD contents of certain formats as well as further iterations on the user interface. For VLC for iOS, we focused on improved cloud integration adding support for iCloud Drive, OneDrive and Box.com, a 10-band equalizer as well as sharing of the media library on the local network alongside an improved playback experience. All updates will be available on the respective stores later today. We hope that you like them as much as we do. VLC 2.2.0 2015-02-27 VideoLAN and the VLC development team are releasing VLC 2.2.0 for most OSes. We're releasing the desktop version for Linux, Windows, OS X, BSD, and at the same time, Android, iOS, Windows RT and Windows Phone versions. More info on our release page and press release . libbluray 0.7.0, libaacs 0.8.0 and libbdplus 0.1.2 released 2015-01-27 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.7.0 , libaacs 0.8.0 and libbdplus 0.1.2 library. Those releases notably improves BD-J support, fonts support and file-system access. VLC for Android 0.9.9 2014-09-05 VideoLAN and the VLC development team are happy to present a new release for Android. This focuses on fixing crashes, better decoding and update of translations. More info in the release notes and download page . VLC 2.1.5 2014-07-26 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. This fixes a few bugs and security issues in third-party libraries, like GnuTLS and libpng. More info on our release page libbluray, libaacs and libbdplus release 2014-07-13 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.6.0 , libaacs 0.7.1 and libbdplus 0.1.1 library. Those releases notably add correct support for BD-J , the Java interactivity layer of Blu-Ray Discs. VLC for Android 0.9.7 2014-07-06 VideoLAN and the VLC development team are happy to present a new release for Android today. It improves a lot DVD menus and navigation, adds compatibility with Android L, fixes a few UI crashes and updates the translations. More info in the release notes . VLC for Android 0.9.5 2014-06-13 VideoLAN and the VLC development team are happy to present a new release for Android today. It adds support for DVD menus, a new VLC icon, tutorials and numerous fixes for crashes. More info in the release notes . VLC for iOS 2.3.0 2014-04-18 VideoLAN and the VLC development team are happy to present a new release for iOS today. It adds support for folders to group media, more options to customize playback, improved network interaction in various regards, many small but noticeable improvements as well as 3 new translations. More info in the release notes . VideoLAN announces distributed codec and conecoins! 2014-04-01 VideoLAN and the VLC development team are happy to present their new distributed codec, named CloudCodet ! To help smartphones users, this codec allows powerful computers to decode for other devices and the CPU-sharers will mine some conecoin , a new cone-shaped crypto-currency, in reward. More info on our press page VLC 2.1.4 and 2.0.10 2014-02-21 VideoLAN and the VLC development team are happy to present two updates for Mac OS X today. Version 2.1.4 solves an important DVD playback regression, while 2.0.10 accumulates a number of small improvements and bugfixes for older Macs based on PowerPC or 32-bit Intel CPUs running OS X 10.5. VLC 2.1.3 2014-02-04 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. Fixing multiple bugs and regressions introduced in 2.1.0, 2.1.1 and 2.1.2, notably on audio and video outputs, decoders and demuxers More info on our release page libbluray, libaacs and libbdplus release 2013-12-24 Several Blu-Ray related libraries have been released: libbluray 0.5.0 , libaacs 0.7.0 and the new libbdplus library. VLC 2.1.2 2013-12-10 VideoLAN and the VLC development team are proud to present the second minor version of the VLC 2.1.x branch. Fixing many bugs and regressions introduced in 2.1.0, notably on audio device management and SPDIF/HDMI pass-thru. More info on our release page VLC 2.1.1 2013-11-14 VideoLAN and the VLC development team are proud to present the first minor version of the VLC 2.1.x branch. Fixing a numerous number of bugs and regressions introduced in 2.1.0, it also adds experimental HEVC and VP9 decoding and improves VLC installer on Windows. More info on our release page VLC 2.0.9 2013-11-05 VideoLAN and the VLC development team are glad to present a new minor version of the VLC 2.0.x branch. Mostly focused on fixing a few important bugs and security issues, this version is mostly needed for Mac OS X, notably for PowerPC and Intel32 platforms that cannot upgrade to 2.1.0. VLC 2.1.0 2013-09-26 VideoLAN and the VLC development team are glad to present the new major version of VLC, 2.1.0, named Rincewind With a new audio core, hardware decoding and encoding, port to mobile platforms, preparation for Ultra-HD video and a special care to support more formats, 2.1 is a major upgrade for VLC. Rincewind has a new rendering pipeline for audio, with better effiency, volume and device management, to improve VLC audio support. It supports many new devices inputs, formats, metadata and improves most of the current ones, preparing for the next-gen codecs. More info on our release page . VLC for iOS version 2.1 2013-09-06 VideoLAN and the VLC for iOS development team are happy to present version 2.1 of VLC for iOS, a first major update to this new port adding support for subtitles in non-western languages, basic UPNP discovery and streaming, FTP server discovery, streaming and downloading, playback of audio-only media, a newly implemented menu and application flow as well as various stability improvements, minor enhancements and additional translations. VLC 2.0.8 and 2.1.0-pre2 2013-07-29 VideoLAN and the VLC development team are happy to present VLC 2.0.8, a security update to the "Twoflower" family, and VLC 2.1.0-pre2, the second pre-version of VLC 2.1.0. You can find info about 2.0.8 in the release notes . VLC 2.1.0-pre2 is a test version of the next major version of VLC, named "Rincewind", intended for advanced users. If you're brave, you can try it now! NB: The first binaries of 2.0.8 for Win32 and Mac were broken. Please re-download them. VLC 2.0.7 2013-06-10 VideoLAN and the VLC development team are happy to present the eighth version of "Twoflower", a minor update that improves the overall stability. Notable changes include fixes for audio decoding, audio encoding, small security issues, regressions, fixes for PowerPC, Mac OS X and new translations. More info in the release notes . VLC 2.0.6 2013-04-11 VideoLAN and the VLC development team are happy to present the seventh version of "Twoflower", a minor update that improves the overall stability. Notable changes include support for Matroska v4, improved reliability for ASF, Ogg, ASF and srt support, fixed GPU decoding on Windows on Intel GPU, fixed ALAC and FLAC decoding, and a new compiler for Windows release. More info in the release notes . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VLC fundraiser for Windows 8, RT and Phone ended 2012-12-29 Today, the fundraising campaign for for Windows 8, RT and Phone run by some VideoLAN team members ended. Their goal was successfully reached and they announced to start working on the new ports right away. Find out more . VLC 2.0.5 2012-12-15 VideoLAN and the VLC development team are happy to present the sixth version of "Twoflower", a minor update that improves the overall stability. Notable changes include improved reliability for MKV file playback, fixed MPEG2 audio and video encoding, pulseaudio synchronization, Mac OS interface, and other fixes. It also resolves potential security issues in HTML subtitle parser, freetype renderer, AIFF demuxer and SWF demuxer. More info in the release notes . We would like to remind our users that some VideoLAN team members are trying to raise money for VLC for Windows Metro on Kickstarter . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VideoLAN Security Advisory 1203 2012-11-02 VLC media player versions 2.0.3 and older suffer from a critical buffer overflow vulnerability. Refer to our advisory for technical details. A fix for this issue is already available in VLC 2.0.4. We strongly recommend all users to update to this new version. VLC 2.0.4 2012-10-18 VideoLAN and the VLC development team present the fifth version of "Twoflower", a major update that fixes a lot of regressions, issues and security issues in this branch. It introduces Opus support, improves Youtube, Vimeo streams and Blu-Ray dics support. It also fixes many issues in playback, notably on Ogg and MKV playback and audio device selections and a hundred of other bugs. More info in the release notes . Updated 2.0.3 builds for Mac OS X 2012-08-01 A small number of users on specific setups experienced audio issues with the latest version of VLC media player for Mac OS X. If you are affected, please download VLC again and replace the existing installation. If you're not, there is nothing to do. VideoLAN at FISL 2012-07-19 Next week, we will give two talks about VideoLAN and VLC media player at the 13° Fórum Internacional Software Livre in Porto Alegre, Brazil. This is the first time VideoLAN members attend a conference in South America. We are looking forward to it and hope to see you around. VLC 2.0.3 2012-07-19 VideoLAN and the VLC development are proud to present a minor update adding support for OS X Mountain Lion as well as improving VLC's overall stability on OS X. Additionally, this version includes updates for 18 translations and adds support for Uzbek and Marathi. For MS Windows, you can update manually if you need the translation updates. VLC 2.0.2 2012-07-01 After more than 100 million downloads of VLC 2.0 versions, VideoLAN and the VLC development team present the third version of "Twoflower", a major update that fixes a lot of regressions in this branch. It introduces an important number of features for the Mac OS X platform, notably interface improvements to be on-par with the classic VLC interface, better performance and Retina Display support. VLC 2.0.2 fixes the video playback on older devices both on MS Windows and Mac OS X, includes overall performance improvements and fixes for a couple of hundreds of bugs. More info in the release notes . World IPv6 Launch 2012-06-04 The VideoLAN organization is taking part in the World IPv6 launch on June 6. All services including the website, the forums, the bugtracker and the git server are now accessible via IPv6. VideoLAN at LinuxTag 2012-05-21 We will presenting VLC and other VideoLAN projects at LinuxTag in Berlin this week (booth #167, hall 7.2a). Come around and have a look at our latest developments! Of course, we will also be present during LinuxNacht, in case that you prefer to share a beer with us. 1 billion thank you! 2012-05-09 VideoLAN would like to thank VLC users 1 billion times, since VLC has now been downloaded more than 1 billion times from our servers, since 2005! Get the numbers ! VLC 2.0.1 2012-03-19 After 15 million downloads of VLC 2.0.0 versions, VideoLAN and the VLC development team present the second version of "Twoflower", a bugfix release. Support for MxPEG files, new features in the Mac OS X interface are part of this release, in addition to faster decoding and fixes for hundred of bugs and regression, notably for HLS, MKV, RAR, Ogg, Bluray discs and many other things. This is also a security update . More info on the release notes . VLC 2.0.0 2012-02-18 After 485 million downloads of VLC 1.1.x versions, VideoLAN and the VLC development team present VLC 2.0.0 "Twoflower", a major new release. With faster decoding on multi-core, GPU, and mobile hardware and the ability to open more formats, notably professional, HD and 10bits codecs, 2.0 is a major upgrade for VLC. Twoflower has a new rendering pipeline for video, with higher quality subtitles, and new video filters to enhance your videos. It supports many new devices and BluRay Discs (experimental). It features a completely reworked Mac and Web interfaces and improvements in the other interfaces make VLC easier than ever to use. Twoflower fixes several hundreds of bugs, in more than 7000 commits from 160 volunteers. More info on the release notes . VideoLAN at SCALE 10x 2012-01-15 VideoLAN will have a booth (#74) at the Southern California Linux Expo at the Hilton Los Angeles Airport Hotel next week-end. The event will take place from Friday throughout Sunday. We will happily show you the latest developments and our forthcoming major VLC update. multicat 2.0 2012-01-04 VideoLAN is happy to announce the second major release of multicat . It brings numerous new features, such as recording chunks of a stream in a directory, and supporting TCP socket and IPv6, as well as bug fixes. Also aggregaRTP was extended to support retransmission of lost packets. DVBlast 2.1 2012-01-04 VideoLAN is happy to announce version 2.1 of DVBlast . It is a bugfix release, fixing in particular a problem with MMI menus present in 2.0. VLC engine relicensed to LGPL 2011-12-21 As previously stated , VideoLAN worked on the relicensing of libVLC and libVLCcore: the VLC engine. We are glad to announce that this process is now complete for VLC 1.2. Thanks a lot for the support. VLC 1.1.13 2011-12-20 VideoLAN and the VLC development team present VLC 1.1.13, a bug and security fix release. This release was necessary due to a security issue in the TiVo demuxer . Source code is available. DVBlast 2.0 and biTStream 1.0 2011-12-15 VideoLAN is happy to announce DVBlast 2.0, the fourth major release of DVBlast . It fixes a number of issues, such as packet bursts and CAM communication problems, adds more configuration options, and improves dvblastctl with stream information. It also gets rid of the runtime dependency on libdvbpsi thanks to biTStream. VideoLAN is also happy to introduce the first public release of biTStream , a set of C headers allowing a simpler access (read and write) to binary structures such as specified by MPEG, DVB, IETF, etc... It is released under the MIT license to avoid readability concerns being shadowed by license issues. It already has a pretty decent support of MPEG systems packet structures, MPEG PSI, DVB SI, DVB simulcast and IETF RTP. libaacs 0.3.0 2011-12-02 The doom9 researchers and the libaacs developers would like to present the first official release of their library of the implementation of the libaacs standard. libaacs 0.3.0 source code can be downloaded on the VideoLAN download service . Nota Bene: This library is of no use without AACS keys. libbluray 0.2.1 2011-11-30 VideoLAN and the libbluray developers would like to present the first official release of their library to help playback of Blu-Ray for open source systems. libbluray 0.2.1 source code can be downloaded on the VideoLAN ftp . VLC 1.1.12 2011-10-06 VideoLAN and the VLC development team present VLC 1.1.12, a bug and security fix release with improvements for audio output on Mac OS X and with PulseAudio. This release was necessary due to a security issue in the HTTP and RTSP server components, though this does not affect standard usage of the player. Binaries for Mac OS X and sources are available. Changing the VLC engine license to LGPL 2011-09-07 During the third VideoLAN Dev Days , last weekend in Paris, numerous developers approved the process of changing the license of the VLC engine to LGPL 2.1 (or later). This is the beginning of the process and will require the authorization from all the past contributors. See our press release on this process. libdvbpsi 0.2.1 2011-09-01 The libdvbpsi development team release version 0.2.1 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.1 is a bugfix release which corrects minor issues in libdvbpsi. For more information on features visit libdvbpsi main page . Invitation to VDD11 2011-08-15 VideoLAN would like to invite you to join us at the VideoLAN Dev Days 2011. This technical conference about open source multimedia, will see developers from VLC, libav, FFmpeg, x264, Phonon, DVBlast, PulseAudio, KDE, Gnome and other projects gather to discuss about open source development for multimedia projects. It will be held in Paris, France, on September 3rd and 4th , 2011. See more info, on the dedicated page. VLC 1.1.11 2011-07-15 VideoLAN and the VLC development team present VLC 1.1.11, a security release with some other improvements. This release was necessary due to two security issues in the real and avi demuxers. It also contains improvements in the fullscreen mode of the Win32 mozilla plugin, the MacOSX Media Key handling and Auhal audio output as well as bug fixes in GUI, decoders and demuxers.. Source and binaries builds for Windows and Mac are available. VLC 1.1.10.1 2011-06-16 Shortly after VLC 1.1.10, VideoLAN and the VLC development team present version 1.1.10.1, which includes small fixes for the Mac OS X port such as disappearing repeat buttons and restored Freebox TV access. Additionally, the installation size was reduced by up to 30 MB. See the release notes for more information on the additional improvements included from VLC 1.1.10. VLC 1.1.10 2011-06-06 VideoLAN and the VLC development team present VLC 1.1.10, a minor release of the 1.1 branch. This release, 2 months after 1.1.9, was necessary because some security issues were found (see SA 1104 ), and the VLC development team cares about security. This release brings a rewritten pulseaudio output, an important number of small Mac OS X fixes, the removal of the font-cache building for the freetype module on Windows and updates of codecs. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.10. libdvbpsi 0.2.0 2011-05-05 The libdvbpsi development team release version 0.2.0 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.0 marks a license change from GPLv2 to LGPLv2.1 . For more information on features visit libdvbpsi main page . Phonon VLC 0.4.0 2011-04-27 VideoLAN would like to point out that the Phonon team has released Phonon VLC 0.4.0 . The new version of the best backend for the Qt multimedia library features much improved stability, more video features and control as well as completely redone streaming input capabilities. You can read more on Phonon VLC 0.4.0 in the release announcement ! VLC 1.1.9 2011-04-12 VideoLAN and the VLC development team present VLC 1.1.9, a minor release of the 1.1 branch. This release, not long after 1.1.8, was necessary because some security issues were found, and the VLC development team cares about security. This release also brings updated translations and a lot of small Mac OS X fixes. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.9. libdvbcsa 1.1.0 is now out! 2011-04-03 libdvbcsa's new versions brings major speed improvements and optimizations of key schedules. It also fixes minor issues. You can get it now on our FTP or on the main libdvbcsa page! A new year of Google Summer of Code 2011-03-28 Instead of having a lousy student summer internship, why not working for VideoLAN and have an impact on millions of people world-wide? The Google Summer of Code program is starting soon and you should send your applications before April 8th 2011, 19:00 UTC, on the webapplication . You shouldn't wait for the last minute and we would like to remember that application can be modified afterwards and that you can submit multiple applications. Join the team now! VLC 1.1.8 and anti-virus software 2011-03-25 Yet again, broken anti-virus software flag the latest version of VLC on Windows as a malware. This is, once again, a false positive . As some of the anti-virus makers plainly refuse to fix their code, we recommend to our users to stop using Kaspersky , AVL , TheHacker or AVG . Users are advised to use the free Antivir or the new Microsoft Security Essential . Moreover , we advise users to download VLC only from videolan.org , as very numerous scam websites have appeared lately. VLC 1.1.8 2011-03-23 VideoLAN and the VLC development team present VLC 1.1.8, a minor release of the 1.1 branch. Small new features, many bugfixes, updated translations and security issues are making this release too. Notable improvements include updated look on Mac, new Dirac encoder, new VP8/Webm encoder, and numerous fixes in codecs, demuxers, interface, subtitles auto-detection, protocols and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.8. CeBit and 10 years of open source... 2011-02-28 The VideoLAN project and organization would like to thank everyone for the support during this month for our 10 years We'd like to invite you to meet us at the CeBIT , starting from tomorrow, in the open source lounge, Hall 2, Stand F44 . 10 years of open source for VideoLAN: end of 10 days... 2011-02-12 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 6 showed a selection of extensions ; Day 7 detailed a few secret features ; Day 8 showed a few nice cones ; Day 9 detailed our committers and download numbers ; Day 10 showed of a showed a promotionnal video . Please join the celebration! 10 years of open source for VideoLAN: continued... 2011-02-07 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 1 spoke about the early history of the project ; Day 2 spoke about the website design ; Day 3 showed a cool video ; Day 4 listed our preferred skins ; Day 5 showed of a photo of the team at the FOSDEM ; Day 6 (one day late) showed a selection of extensions . Please join the celebration! New website design 2011-02-02 As you might have seen, we've change the design of the main website . The website design was done by Argon and this project was sponsored by netzwelt.de . VLC 1.1.7 2011-02-01 VideoLAN and the VLC development team present VLC 1.1.7, a small security update on 1.1.6. Small new features, many bugfixes, updated translations and security issues were making the 1.1.6 release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.6. Source was available yesterday; binaries for Windows and Mac OS X are now available. 10 years of open source for VideoLAN 2011-02-01 The VideoLAN project and organization are proud to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software, that happened exactly 10 years ago. To celebrate, small infos, stories and goodies will be posted in the next ten days on this site . Day 1 speaks about the early history of the project Please join the celebration! VLC 1.1.6 2011-01-23 VideoLAN and the VLC development team are proud to present VLC 1.1.6, the sixth bugfix release of the VLC 1.1.x branch. Small new features, many bugfixes, updated translations and security issues are making this release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information. NB: The first versions for Intel-based Macs (64bit and Universal Binary) included a rtsp streaming bug, which also hindered access to the Freebox. Please re-download. End of support for VLC 1.0 series 2011-01-22 The VideoLAN team ceases all form of support for VLC media player versions 1.0.x. Focusing maintenance efforts on the current VLC 1.1 versions, and further development on the upcoming VLC 1.2 series, the VideoLAN team will not deliver any further update for VLC versions 1.0.x (last release was 1.0.6), and VLC 0.9.x (last release was 0.9.10). VLC 1.1.6 will be released shortly. This release will introdu
2026-01-13T09:30:36
https://bizarro.dev.to/t/gemini/page/22
Google Gemini Page 22 - ALTERNATE UNIVERSE DEV Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account ALTERNATE UNIVERSE DEV Close Google Gemini Follow Hide Create Post Older #gemini posts 19 20 21 22 23 24 25 26 27 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV ALTERNATE UNIVERSE DEV — A constructive and inclusive social network for software developers. With you every step of your journey. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . ALTERNATE UNIVERSE DEV © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T09:30:36
https://pt-br.facebook.com/r.php?next=https%3A%2F%2Fzh-cn.facebook.com%2Fsettings&amp%3Bamp%3Blocale=vi_VN&amp%3Bamp%3Bdisplay=page
Facebook Facebook Email ou telefone Senha Esqueceu a conta? Cadastre-se Você está bloqueado temporariamente Você está bloqueado temporariamente Parece que você estava usando este recurso de forma indevida. Bloqueamos temporariamente sua capacidade de usar o recurso. Back Português (Brasil) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Français (France) Deutsch Cadastre-se Entrar Messenger Facebook Lite Vídeo Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Mais conteúdo da Meta AI Instagram Threads Central de Informações de Votação Política de Privacidade Central de Privacidade Sobre Criar anúncio Criar Página Desenvolvedores Carreiras Cookies Escolhas para anúncios Termos Ajuda Upload de contatos e não usuários Configurações Registro de atividades Meta © 2026
2026-01-13T09:30:36
https://cppinsights.io/
C++ Insights Request Short Link C++ 98 C++ 11 C++ 14 C++ 17 C++ 20 C++ 23 C++ 2c for-loops as while-loops array subscription Show all implicit casts Show all template parameters of a CallExpr Use libc++ Transform std::initializer_list Show noexcept internals Show padding information Show coroutine transformation Show C++ to C transformation Show object lifetime Default 15 18 20 22 26 More GitHub Patreon Patreon Issues About Policies Examples C++ Insights @ YouTube Settings Version None × Sponsors: Made by Andreas Fertig Source: Insight: Console: Made by Andreas Fertig • Powered by Flask and CodeMirror
2026-01-13T09:30:36
http://www.stochastictechnologies.com/css/css/software/qa/
Welcome - Stochastic Technologies Stochastic Technologies A software agency Home Software Development Quality Assurance Contact The Company Do you have a solid business plan and need the technical know-how to bring it to fruition? We provide software development and ongoing quality assurance services. With decades of experience in web development, we can help you design, develop and iterate your business applications, from conception to market fit. We focus on delivering solutions that fit your specific business case, making sure they are extensible and maintainable well into the future. The Details You handle the business, we handle the technicalities. We take care of the all the technical needs so you can focus on what you do best: Growing your business. Development From desktop to web to mobile, we have developed for it all. Whatever your business needs, our diverse development team can deliver. Design/UX Good software means good UX. We can help improve your application's visuals and interactions, to increase user retention and satisfaction. Quality Assurance Quality doesn't stop at deployment. Our experienced QA department is at your disposal to continuously test your application and find potential problems before your users do. Consultancy Even if you already have established teams, we can help with problematic areas. Whether you need to scale or improve development processes, our consultancy arm is there for you. Contact Us The Endorsements Sokratis Papafloratos, Togethera Stochastic has been an invaluable advisor from the early stages of our company all the way to thousands of users. Andrew Hoehn, Echo Factory It seems like the more challenging the project is, the more excited the Stochastic team is to create a solution. Josh Wright, Silent Circle Knowledgeable, professional and competent, Stochastic have been a pleasure to work with. Contact Let's talk. Send us an email and let us solve your problems. Email You can send us good, old-fashioned, convenient email at: info@stochastic.io Otherwise, you can use our contact form . Address Stochastic Technologies 5th Floor, Genesis Building, Genesis Close George Town, Grand Cayman Cayman Islands, KY1-1106 GitHub You can find our open-source work on our GitHub: https://github.com/stochastic-technologies/
2026-01-13T09:30:36
http://www.stochastictechnologies.com/css/css/software/css/main.css?h=7a3c40d2
Welcome - Stochastic Technologies Stochastic Technologies A software agency Home Software Development Quality Assurance Contact The Company Do you have a solid business plan and need the technical know-how to bring it to fruition? We provide software development and ongoing quality assurance services. With decades of experience in web development, we can help you design, develop and iterate your business applications, from conception to market fit. We focus on delivering solutions that fit your specific business case, making sure they are extensible and maintainable well into the future. The Details You handle the business, we handle the technicalities. We take care of the all the technical needs so you can focus on what you do best: Growing your business. Development From desktop to web to mobile, we have developed for it all. Whatever your business needs, our diverse development team can deliver. Design/UX Good software means good UX. We can help improve your application's visuals and interactions, to increase user retention and satisfaction. Quality Assurance Quality doesn't stop at deployment. Our experienced QA department is at your disposal to continuously test your application and find potential problems before your users do. Consultancy Even if you already have established teams, we can help with problematic areas. Whether you need to scale or improve development processes, our consultancy arm is there for you. Contact Us The Endorsements Sokratis Papafloratos, Togethera Stochastic has been an invaluable advisor from the early stages of our company all the way to thousands of users. Andrew Hoehn, Echo Factory It seems like the more challenging the project is, the more excited the Stochastic team is to create a solution. Josh Wright, Silent Circle Knowledgeable, professional and competent, Stochastic have been a pleasure to work with. Contact Let's talk. Send us an email and let us solve your problems. Email You can send us good, old-fashioned, convenient email at: info@stochastic.io Otherwise, you can use our contact form . Address Stochastic Technologies 5th Floor, Genesis Building, Genesis Close George Town, Grand Cayman Cayman Islands, KY1-1106 GitHub You can find our open-source work on our GitHub: https://github.com/stochastic-technologies/
2026-01-13T09:30:36
http://www.stochastictechnologies.com/contact/
Welcome - Stochastic Technologies Stochastic Technologies A software agency Home Software Development Quality Assurance Contact The Company Do you have a solid business plan and need the technical know-how to bring it to fruition? We provide software development and ongoing quality assurance services. With decades of experience in web development, we can help you design, develop and iterate your business applications, from conception to market fit. We focus on delivering solutions that fit your specific business case, making sure they are extensible and maintainable well into the future. The Details You handle the business, we handle the technicalities. We take care of the all the technical needs so you can focus on what you do best: Growing your business. Development From desktop to web to mobile, we have developed for it all. Whatever your business needs, our diverse development team can deliver. Design/UX Good software means good UX. We can help improve your application's visuals and interactions, to increase user retention and satisfaction. Quality Assurance Quality doesn't stop at deployment. Our experienced QA department is at your disposal to continuously test your application and find potential problems before your users do. Consultancy Even if you already have established teams, we can help with problematic areas. Whether you need to scale or improve development processes, our consultancy arm is there for you. Contact Us The Endorsements Sokratis Papafloratos, Togethera Stochastic has been an invaluable advisor from the early stages of our company all the way to thousands of users. Andrew Hoehn, Echo Factory It seems like the more challenging the project is, the more excited the Stochastic team is to create a solution. Josh Wright, Silent Circle Knowledgeable, professional and competent, Stochastic have been a pleasure to work with. Contact Let's talk. Send us an email and let us solve your problems. Email You can send us good, old-fashioned, convenient email at: info@stochastic.io Otherwise, you can use our contact form . Address Stochastic Technologies 5th Floor, Genesis Building, Genesis Close George Town, Grand Cayman Cayman Islands, KY1-1106 GitHub You can find our open-source work on our GitHub: https://github.com/stochastic-technologies/
2026-01-13T09:30:36
https://libc.llvm.org/full_cross_build.html#id3
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://clang.llvm.org/docs/CrossCompilation.html#target-triple
Cross-compilation using Clang — Clang 22.0.0git documentation Clang 22.0.0git documentation Cross-compilation using Clang «   Warning suppression mappings   ::   Contents   ::   Clang Static Analyzer   » Cross-compilation using Clang ¶ Introduction ¶ This document will guide you in choosing the right Clang options for cross-compiling your code to a different architecture. It assumes you already know how to compile the code in question for the host architecture, and that you know how to choose additional include and library paths. However, this document is not a “how to” and won’t help you setting your build system or Makefiles, nor choosing the right CMake options, etc. Also, it does not cover all the possible options, nor does it contain specific examples for specific architectures. For a concrete example, the instructions for cross-compiling LLVM itself may be of interest. After reading this document, you should be familiar with the main issues related to cross-compilation, and what main compiler options Clang provides for performing cross-compilation. Cross compilation issues ¶ In GCC world, every host/target combination has its own set of binaries, headers, libraries, etc. So, it’s usually simple to download a package with all files in, unzip to a directory and point the build system to that compiler, that will know about its location and find all it needs to when compiling your code. On the other hand, Clang/LLVM is natively a cross-compiler, meaning that one set of programs can compile to all targets by setting the -target option. That makes it a lot easier for programmers wishing to compile to different platforms and architectures, and for compiler developers that only have to maintain one build system, and for OS distributions, that need only one set of main packages. But, as is true to any cross-compiler, and given the complexity of different architectures, OS’s and options, it’s not always easy finding the headers, libraries or binutils to generate target specific code. So you’ll need special options to help Clang understand what target you’re compiling to, where your tools are, etc. Another problem is that compilers come with standard libraries only (like compiler-rt , libcxx , libgcc , libm , etc), so you’ll have to find and make available to the build system, every other library required to build your software, that is specific to your target. It’s not enough to have your host’s libraries installed. Finally, not all toolchains are the same, and consequently, not every Clang option will work magically. Some options, like --sysroot (which effectively changes the logical root for headers and libraries), assume all your binaries and libraries are in the same directory, which may not true when your cross-compiler was installed by the distribution’s package management. So, for each specific case, you may use more than one option, and in most cases, you’ll end up setting include paths ( -I ) and library paths ( -L ) manually. To sum up, different toolchains can: be host/target specific or more flexible be in a single directory, or spread out across your system have different sets of libraries and headers by default need special options, which your build system won’t be able to figure out by itself General Cross-Compilation Options in Clang ¶ Target Triple ¶ The basic option is to define the target architecture. For that, use -target <triple> . If you don’t specify the target, CPU names won’t match (since Clang assumes the host triple), and the compilation will go ahead, creating code for the host platform, which will break later on when assembling or linking. The triple has the general format <arch><sub>-<vendor>-<sys>-<env> , where: arch = x86_64 , i386 , arm , thumb , mips , etc. sub = for ex. on ARM: v5 , v6m , v7a , v7m , etc. vendor = pc , apple , nvidia , ibm , etc. sys = none , linux , win32 , darwin , cuda , etc. env = eabi , gnu , android , macho , elf , etc. The sub-architecture options are available for their own architectures, of course, so “x86v7a” doesn’t make sense. The vendor needs to be specified only if there’s a relevant change, for instance between PC and Apple. Most of the time it can be omitted (and Unknown) will be assumed, which sets the defaults for the specified architecture. The system name is generally the OS (linux, darwin), but could be special like the bare-metal “none”. When a parameter is not important, it can be omitted, or you can choose unknown and the defaults will be used. If you choose a parameter that Clang doesn’t know, like blerg , it’ll ignore and assume unknown , which is not always desired, so be careful. Finally, the env (environment) option is something that will pick default CPU/FPU, define the specific behaviour of your code (PCS, extensions), and also choose the correct library calls, etc. CPU, FPU, ABI ¶ Once your target is specified, it’s time to pick the hardware you’ll be compiling to. For every architecture, a default set of CPU/FPU/ABI will be chosen, so you’ll almost always have to change it via flags. Typical flags include: -mcpu=<cpu-name> , like x86-64, swift, cortex-a15 -mfpu=<fpu-name> , like SSE3, NEON, controlling the FP unit available -mfloat-abi=<fabi> , like soft, hard, controlling which registers to use for floating-point The default is normally the common denominator, so that Clang doesn’t generate code that breaks. But that also means you won’t get the best code for your specific hardware, which may mean orders of magnitude slower than you expect. For example, if your target is arm-none-eabi , the default CPU will be arm7tdmi using soft float, which is extremely slow on modern cores, whereas if your triple is armv7a-none-eabi , it’ll be Cortex-A8 with NEON, but still using soft-float, which is much better, but still not great. Toolchain Options ¶ There are three main options to control access to your cross-compiler: --sysroot , -I , and -L . The two last ones are well known, but they’re particularly important for additional libraries and headers that are specific to your target. There are two main ways to have a cross-compiler: When you have extracted your cross-compiler from a zip file into a directory, you have to use --sysroot=<path> . The path is the root directory where you have unpacked your file, and Clang will look for the directories bin , lib , include in there. In this case, your setup should be pretty much done (if no additional headers or libraries are needed), as Clang will find all binaries it needs (assembler, linker, etc) in there. When you have installed via a package manager (modern Linux distributions have cross-compiler packages available), make sure the target triple you set is also the prefix of your cross-compiler toolchain. In this case, Clang will find the other binaries (assembler, linker), but not always where the target headers and libraries are. People add system-specific clues to Clang often, but as things change, it’s more likely that it won’t find than the other way around. So, here, you’ll be a lot safer if you specify the include/library directories manually (via -I and -L ). Target-Specific Libraries ¶ All libraries that you compile as part of your build will be cross-compiled to your target, and your build system will probably find them in the right place. But all dependencies that are normally checked against (like libxml or libz etc) will match against the host platform, not the target. So, if the build system is not aware that you want to cross-compile your code, it will get every dependency wrong, and your compilation will fail during build time, not configure time. Also, finding the libraries for your target are not as easy as for your host machine. There aren’t many cross-libraries available as packages to most OS’s, so you’ll have to either cross-compile them from source, or download the package for your target platform, extract the libraries and headers, put them in specific directories and add -I and -L pointing to them. Also, some libraries have different dependencies on different targets, so configuration tools to find dependencies in the host can get the list wrong for the target platform. This means that the configuration of your build can get things wrong when setting their own library paths, and you’ll have to augment it via additional flags (configure, Make, CMake, etc). Multilibs ¶ When you want to cross-compile to more than one configuration, for example hard-float-ARM and soft-float-ARM, you’ll have to have multiple copies of your libraries and (possibly) headers. Some Linux distributions have support for Multilib, which handle that for you in an easier way, but if you’re not careful and, for instance, forget to specify -ccc-gcc-name armv7l-linux-gnueabihf-gcc (which uses hard-float), Clang will pick the armv7l-linux-gnueabi-ld (which uses soft-float) and linker errors will happen. The same is true if you’re compiling for different environments, like gnueabi and androideabi , and might even link and run, but produce run-time errors, which are much harder to track down and fix. «   Warning suppression mappings   ::   Contents   ::   Clang Static Analyzer   » © Copyright 2007-2026, The Clang Team. Created using Sphinx 7.2.6.
2026-01-13T09:30:36
https://libc.llvm.org/full_cross_build.html#id6
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://es-la.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2uSBdmSz78opCzfXRk8sDp5Tx_pJMYcUHvdh_Y1uwRbLIwU8PDPteD4TlH6Y7RUae6xxhyDls2F2tUQWOAP5Y3mFMh-4xbeg9gl6BNTLLEIylaoA95kpo_i5MI9EnkYxlCmuGHOuAB2WxG9xeTFw
Facebook Facebook Correo o teléfono Contraseña ¿Olvidaste tu cuenta? Crear cuenta nueva Se te bloqueó temporalmente Se te bloqueó temporalmente Parece que hiciste un uso indebido de esta función al ir muy rápido. Se te bloqueó su uso temporalmente. Back Español 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Registrarte Iniciar sesión Messenger Facebook Lite Video Meta Pay Tienda de Meta Meta Quest Ray-Ban Meta Meta AI Más contenido de Meta AI Instagram Threads Centro de información de votación Política de privacidad Centro de privacidad Información Crear anuncio Crear página Desarrolladores Empleo Cookies Opciones de anuncios Condiciones Ayuda Importación de contactos y no usuarios Configuración Registro de actividad Meta © 2026
2026-01-13T09:30:36
https://ja-jp.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2uSBdmSz78opCzfXRk8sDp5Tx_pJMYcUHvdh_Y1uwRbLIwU8PDPteD4TlH6Y7RUae6xxhyDls2F2tUQWOAP5Y3mFMh-4xbeg9gl6BNTLLEIylaoA95kpo_i5MI9EnkYxlCmuGHOuAB2WxG9xeTFw
Facebook Facebook メールアドレスまたは電話番号 パスワード アカウントを忘れた場合 新しいアカウントを作成 機能の一時停止 機能の一時停止 この機能の使用ペースが早過ぎるため、機能の使用が一時的にブロックされました。 Back 日本語 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) Português (Brasil) Français (France) Deutsch アカウント登録 ログイン Messenger Facebook Lite 動画 Meta Pay Metaストア Meta Quest Ray-Ban Meta Meta AI Meta AIのコンテンツをもっと見る Instagram Threads 投票情報センター プライバシーポリシー プライバシーセンター Facebookについて 広告を作成 ページを作成 開発者 採用情報 Cookie AdChoices 規約 ヘルプ 連絡先のアップロードと非ユーザー 設定 アクティビティログ Meta © 2026
2026-01-13T09:30:36
https://libc.llvm.org/full_cross_build.html#cmake-configure-step
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://libc.llvm.org/full_cross_build.html#bootstrap-cross-build
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://l.facebook.com/l.php?u=https%3A%2F%2Fwww.instagram.com%2F&h=AT2Avpwh1z8DwlD2Lr8i28ka5Ib-3gv-Ged8UXHKQjErX-GJ5mV70S9XONr79-EEl-GMPJ9oBFE3tR-03uTwVDjv7fagUyKmUN1rpdfXGkHXbksl955gCrUiEfarx8ClI3_mbm9SZ77xo4SB
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:36
https://libc.llvm.org/full_cross_build.html#standalone-cross-build
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://libc.llvm.org/full_cross_build.html#id2
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://www.hcaptcha.com/accessibility.html
Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In hCaptcha Accessibility Ensuring seamless access for all users while maintaining security If you are an accessibility user, please sign up here Introduction This page contains an overview of hCaptcha accessibility features, as well as answers to some frequently asked questions. If you are looking for the EU Accessibility Act Statement for hCaptcha, please click here to scroll down to that section . Summary hCaptcha is designed to stop bots by distinguishing them from people. Visual tests are a convenient tool for this, but not everyone can solve a visual challenge. For this reason we have designed simple, painless alternatives to let online services using hCaptcha preserve accessibility for all with full Section 508 and WCAG 2.2 AA compliance. We offer two methods of accommodation that accessibility users may encounter. The first is a purely text-based alternative humanity verification challenge that some services may choose to enable, which is available by choosing the "Accessibility Challenge" option in the hCaptcha widget menu when enabled on a given website or app. The second is a universal accessibility authorization option that is available on all services using hCaptcha by default. It is designed to be much more accessible than legacy audio challenges, serving not just people with visual impairments but also those with auditory processing issues or other needs for accommodation that neither visual nor auditory challenges can address. How it works: first, an accessibility user signs up via the accessibility signup page , which is prominently linked in the hCaptcha widget info page. They are given an encrypted cookie that can be used several times per day, but must be refreshed periodically via login. When a challenge is presented to an accessibility user on a site using the hCaptcha service, they will automatically pass or receive an accessibility challenge, depending on the site's settings and other factors. Support for accessibility users is also available via email: support@hcaptcha.com ‍ Accessibility user screen after login Accessibility option in widget UI menu Accessibility dialog box in widget UI Email from hCaptcha FAQ Q: Is hCaptcha Section 508, WCAG 2.2 AA, and EN 301 549 compliant? A: We believe so: all users with any form of impairment who are able to browse the web and enter text on forms can access services protected by hCaptcha upon registration. However, this is not legal advice: you should perform your own evaluation, taking into consideration your particular implementation to ensure this is the case for your deployment. Q: What is hCaptcha's role in providing accessibility accommodations? A: hCaptcha offers a wide variety of security services with many configuration options. These include completely passive security options like hCaptcha Enterprise Passive mode, and several types of humanity verification challenges that offer strong security with a variety of accessibility tradeoffs. The online service using hCaptcha is responsible for deciding whether the provided accessibility options meet its needs, or whether it prefers to combine strong security measures from hCaptcha with alternative accessibility options or procedures for accommodation. Q: How are text-based challenges impacted by large language models ("LLMs")? A: hCaptcha has worked for years on generative AI use and abuse, including LLM detection. We have integrated a variety of defenses into the hCaptcha Enterprise product suite with LLMs in mind. Q: Are you working on other accessibility ("a11y") options, like audio? A: Previously popular options like audio captchas discriminate against many a11y users and are easily defeated by modern machine learning techniques. This has forced current audio challenges to become more and more difficult, introducing noise, odd timing, unusual word combinations, and so on to defeat attackers. We are thus less enthusiastic about this approach vs. avoiding the challenge altogether, but will consider it if there is demand from the a11y community. However, we are very interested in Privacy Pass for the Accessibility use case. We believe combining our current a11y approach with Privacy Pass issuance will allow a11y users to browse safely, secure in the knowledge that their traffic is more private, while restricting the abuse by bot operators that inevitably occurs when a11y options are available. We are active participants in the IETF working group standardizing this new technology. Q: What about privacy? Does registration expose a11y browsing data in some way? What do you do with the email? A: hCaptcha is designed for privacy from the ground up. It is very different than traditional options like reCAPTCHA that are owned by ad networks, who have an incentive to track you around the web and associate you with a real identity. We never use accessibility emails or info for any purpose other than facilitating a11y use and preventing abuse. Our privacy policy has comprehensive and authoritative answers as to how we use data, but the short answer is we have no interest in associating you as a person with your browsing history. We are also currently working on a cryptographic solution to rapidly discard your email address while still preserving our ability to prevent abuse, complementing our Privacy Pass work. For Accessibility Users: Q&A and Troubleshooting Guide Q: I'm still seeing a challenge after setting the cookie. What's causing this? A: This is typically due to using an aggressive ad blocker or anti-cookie extension, or a setting that blocks "cross-site" cookies, in this case a cookie for hcaptcha.com that is set or checked by the hCaptcha JS on a different site, like the one you are visiting. hCaptcha accessibility cookies work with all popular browsers and ad blockers with their standard settings, so typically failures are due to "anti-anti-adblock" scripts or similar rulesets targeting particular sites. Solutions: 1. Whitelist hcaptcha.com and *.hcaptcha.com cookies in your ad blocker or browser security extension. 2. If you are using the Brave browser, which does not (as of April 2020) appear to have any kind of cookie whitelist, go to Preferences -> Shields -> Cookies and choose "Allow All Cookies." 3. If you are using the very latest version of Safari on either the recently released OS X 10.15 or iOS 13.4, Apple has just changed the behavior of Safari related to third-party cookies, blocking all of them by default. We are implementing a solution, but in the meantime please visit Safari Preferences, Privacy section, and uncheck "Website tracking: Prevent cross-site tracking" to enable the accessibility cookie to function as expected. Q: I use multiple devices. Do I need to sign up multiple times? A: No. Please click the same email login link sent to you on each device you use in order to set the cookie. Q: How can I protect myself from third-party cookie tracking while using the accessibility cookie? A: Using any privacy or ad-blocking extension that supports domain-level whitelisting (e.g. uBlock Origin) will work as expected: just make sure to whitelist hcaptcha.com. Browser Instructions for Cross-Site Cookies Safari To enable cookies in Safari (Mac): Go to the Safari drop-down menu. Select Preferences. Click Privacy in the top panel. Under 'Block cookies' select the option 'Never.' To enable cookies in Safari (iPhone/iPad iOS 11+): Open your Settings. Scroll down and select Safari. Under Privacy & Security, turn off "Prevent Cross-Site Tracking" and "Block All Cookies" Firefox Click on the shield to the left of the address bar on any webpage. Click on Protection Settings. The Firefox Preferences Privacy & Security panel will open. Under Enhanced Tracking Protection, select Custom. Choose which trackers and scripts to block by selecting those checkboxes. Make sure you have unblocked hcaptcha.com. You can also temporarily turn off some protections in Custom to debug this, by deselecting the checkboxes: Deselect the Trackers checkbox or deselect the Cookies checkbox if you are still having issues. Google Chrome Google Chrome (PC) Select the Chrome menu icon. Select Settings. Go to Privacy and Security, then Cookies and other site data. Make sure "Block third-party cookies" is not enabled. ‍ Google Chrome (Mac): Open Chrome preferences from the menu bar. Go to Privacy and Security, then Cookies and other site data. Make sure "Block third-party cookies" is not enabled. ‍ Google Chrome (Android): On your Android device, open the Chrome app. At the top right, tap More and then Settings. Tap Site Settings and then Cookies. Next to "Cookies," switch the setting on. Check the box next to "Allow third-party cookies." Internet Explorer 1. Select the gear in the upper-right corner of the screen, then select "Internet Options". If you have the Menu Bar enabled, you can select "Tools" then "Internet Options". 2.  Click the "Privacy" tab. 3. Select the "Advanced" button. 4.  Under "Third-party Cookies" choose "Accept". 5. Click "OK" ‍ EU Accessibility Act Statement for hCaptcha ‍ Introduction Accessibility is important to us, and we attempt to ensure all users can view and navigate our websites and online services easily, no matter what device they are using. This includes users with visual, auditory, cognitive or physical impairments. Our website and online service can be accessed from different devices such as desktop computers, laptops and mobile devices, and we attempt to ensure broad support for a wide variety of devices, browsers, and assistive technologies. Our approach to web accessibility is based on the four principles listed below. Perceivable: Information and the user interface are presented to users in ways they can perceive. Operable: The website's input forms, controls, and navigation are operable. Understandable: Information and the operation of user interface must be understandable. Robust: Web content must work on different browsers and devices, and with assistive technologies. This accessibility statement applies to the hCaptcha.com website and hCaptcha security service as embedded by other websites and apps. How we comply We work to ensure that hCaptcha meets the WCAG 2.2 AA accessibility standards. See the compliance status below. We have an accessibility statement. We help users contact us to report any accessibility issues. We include accessibility compliance targets in our web development and testing process. We carry out internal and external accessibility audits. Compliance status We believe hCaptcha is compliant with WCAG 2.2 AA based on our own testing and external accessibility reviews. However, as an online security service that performs humanity verification, some features like visual challenges cannot be fully accessible while fulfilling security functions. In these cases, accessible alternatives like accessibility challenges and accessibility cookies are provided by hCaptcha. Note that websites and apps that use hCaptcha decide where and how to implement hCaptcha, including which hCaptcha accessibility features to enable, and whether to use hCaptcha's accessibility features or provide alternate accommodations. Non-accessible content As described above, security features that require visual perception or fine motor skills may not be accessible to all users. In these cases, accessible alternatives like accessibility challenges and accessibility cookies are provided by hCaptcha. Note that websites and apps that use hCaptcha decide where and how to implement hCaptcha, including which hCaptcha accessibility features to enable, and whether to use hCaptcha's accessibility features or provide alternate accommodations. Resources European Accessibility Standard EN 301 549. ​ ​ W3C list of WCAG 2.2 requirements. Feedback and contact information Contact us to report accessibility issues or provide suggestions to improve accessibility . Please be as clear and detailed as possible so we may understand the problem or suggestion. Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:36
https://www.hcaptcha.com/ai-ethics.html
AI Ethics Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In AI Ethics Policy Why do we have an AI Ethics policy? Virtually every technology, from pencils to dynamite, is a dual use solution; it can be used for good or ill. Every company researching, building, or selling dual use solutions has an obligation to consider the consequences of their actions. This page details our thoughts on this topic in the context of AI Ethics, and the processes we follow to ensure use of our services remains in line with the policies we have adopted as a company. AI Ethics at hCaptcha We occasionally get questions as to what kinds of questions are permissible for the hCaptcha service, and why particular questions are being asked. Human beings are pattern-seekers, and sometimes an innocuous question can go from entirely unsurprising to suspicious in an instant, due to changes in the world rather than the motivations of anyone asking the question. As services become more popular, this sort of occurrence inevitably becomes more frequent. hCaptcha is used by millions of people each day in virtually every country in the world, so we are publishing this policy and a case study on how we address these issues in order to be as transparent as possible. A real-world AI Ethics case study “Umbrella” is a term in ImageNet, the standard benchmark dataset used by computer vision researchers. Reliably identifying people holding umbrellas is also critical for building safe next-generation advanced driver assistance (ADAS) systems. This means there are excellent use cases for real-world umbrella annotations. There is room for disagreement on the impact of self-driving cars, but ADAS systems are already saving thousands of lives each year around the world. However, in 2020 it became clear that building this kind of dataset could be perceived as a dual use technology in a way few would have expected a year ago. We are thus no longer accepting requests for questions related to umbrellas at this time. The potential for confusion when an end-user sees a question about umbrellas in the current moment is too high, and ultimately our goal is to make the world a more pleasant place. AI Ethics policies and processes We have a strict AI Ethics policy at hCaptcha, and part of that includes a Know Your Customer (KYC) process. We always attempt to gain a good understanding of each new customer and their intended use case, both to confirm it is a good fit for our products and services and to ensure that it follows the policies we have adopted as a company. We also conduct ongoing reviews as necessary. For example, in our recent review of the dates and sources of requests for umbrella-related labeling requests we were quickly able to confirm that no government entity or known state supplier of surveillance software has made requests regarding umbrellas using our services in the past 12 months. What does our AI Ethics process look like? For each new labeling customer, we go through a checklist during the sales process. This includes initial KYC diligence prior to onboarding, as well as verification of all requests made to our analysts, and real-time spot checks and periodic reviews of requests made using our self-service platform. This review is composed of several sets of criteria: Ethical concerns criteria: Objective 1. Is this customer representing the national interests of a country known to engage in behavior contrary to international laws and norms? 2. Is this customer requesting services that could be primarily used only for malicious purposes, in the context of their normal business activities? 3. Can the customer’s request be fulfilled under US law and our rules of engagement? Ethical concerns criteria: Subjective 1. Do we believe that the customer has given us a use case that we deem morally acceptable, according to our interpretation of typical Western societal norms? 2. Do we believe that our provided services would likely be used for discriminatory purposes by the customer, in ways that might be legal but are not acceptable to us? 3. Do we believe that privacy needs can be satisfactorily addressed for the request? If we cannot satisfy ourselves on these points, we will decline the request and may terminate further access to our platform, as outlined in our Terms. Thank you We hope you appreciated this look into how we handle operational questions with an AI Ethics component. Very few companies offer transparency into their decision-making processes in this area, and we hope others will follow this example! Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:36
https://l.facebook.com/l.php?u=https%3A%2F%2Fwww.instagram.com%2F&h=AT2yAR2Jg69Qv75a2g2iJ3iI4r3kGgiJ98NVZFjmbSc1hsM-JEdM4zz6s0sMHcJaMxDPR7qaqk-t0xvNqx9rYWRdpTs_9PBm79wwWWU1mSK5KKZqa3xuPtok0f4Gz09svgGA5pdtcjzaWjfP
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:36
https://pastebin.com/pro
Pastebin.com - GO PRO! Pastebin API tools faq paste Login Sign up Upgrading to a PRO account unlocks many cool features!   BASIC PRO AD Free Experience Captcha Free Experience * Inactivity Protection Direct File Uploads Autosaving Drafts Multiple Logins Max Paste Size 500 KB 10 MB # Unlisted Pastes 10 Unlimited # Private Pastes 10 Unlimited # New Pastes Per 24h 20 250 # Alert Keywords 3 15 # Email Alerts 10 Unlimited # Archive Results 50 250 Markdown Support Site Scraping API * Prioritized Support Username Changes Private Messages CORS Headers Pastebin Development Support Awesome Badge 1. AD Free Experience PRO members will never see ads on Pastebin. Surfing the site will be a more pleasant experience. 2. Captcha Free Experience PRO users will not be asked to enter a captcha code when they paste something. Note: Certain banned keywords will still spawn captcha requests for PRO users. 3. Inactivity Protection PRO users never get their pastes automatically deleted due to inactivity. FREE users & guests can get their pastes deleted if those pastes do not receive any traffic after a certain period of time. PRO users never get their pastes automatically removed due to inactivity. 4. Direct File Uploads PRO members have the option to directly upload files instead of having to paste the raw text into the textarea. This is especially handy when working with larger files. 5. Autosaving Drafts While creating new pastes we automatically save your drafts, so if you close your browser by accident, or your computer crashes, you don't lose your work. 6. Multiple Logins With multiple simultaneous logins per account, you can share 1 pastebin PRO account with various members of your team. Sharing private pastes with the people you work with has never been easier, you and others can work on the same account at the same time from different computers. 7. Create Larger Pastes Free members can create pastes up to 500 kilobytes in size, PRO members can create pastes up to 10 megabytes. That is 20 times more storage space per paste. 8. Unlimited Unlisted Pastes PRO members can store unlimited unlisted pastes. Free users can only own 10 unlisted pastes. 9. Unlimited Private Pastes PRO members can store unlimited Private pastes. Free users can only own 10 private pastes. 10. Paste Allowance Per 24h PRO members are allowed to create up to 250 pastes per 24 hours. Free members can only create 20 pastes per 24 hours. If you need more than 250 pastes per 24 hours, please contact us. We can increase the limit at no additional cost. 11. More Alert Keywords As a PRO member we allow you to add up to 15 keywords in the 'My Alerts' service. Free members can only submit 3 keywords to be monitored. 12. Receive more Email Alerts As a PRO member we allow you to receive unlimited email alerts without having to re-submit keywords to the 'My Alerts' service. Free members have to re-enter keywords after 10 email alerts to prevent misuse of this service. 13. Archive Pages Results PRO members get up 250 results per archive page instead of the limited 25 for normal members & non-members. 14. Rich Pastes with Markdown PRO users are allowed to create Markdown pastes. With Markdown you can make text bold, italic, add images, clickable links & much more. See what is possible . 15. Site Scraping API Got blocked scraping our site? PRO users can access our custom scraping API & get their IP whitelisted. 16. Prioritized Support PRO members get access to our prioritized support form on the contact page. Also, abuse reports from PRO members get boosted to the front of the queue, resulting in faster removal times. 17. Username Changes PRO users can request changes to their username. If the username is free, it can be yours. If it's taken, it can sometimes become yours, but only if that user is "inactive". Inactive users are users who haven't logged-in in the last 6 months. 18. Private Message Any Pastebin User PRO users are able to send a private message to any Pastebin user. Only PRO users are able to initiate a message conversations, but all members are able to reply to incoming messages. Users will be notified via email when they have received a new private message. 19. CORS Headers PRO users are able to reach their content externally as CORS headers are added on their RAW pastes. 20. Supporting Current And Future Development By getting a PRO membership you support us keeping Pastebin online. Hosting tens of millions of pastes is no cheap & easy task. Your membership fee will go towards development, server & bandwidth bills. 21. Awesome PRO Badge PRO members get an awesome badge next to anything that has their name on it. It shows others that you support Pastebin! 21 great reasons to go PRO! Select your PRO plan PRO ACCOUNT Pastebin PRO accounts are currently sold out . In the near future we will make more PRO accounts available for sale. Please check back later to see if more are available. Public Pastes Untitled 8 min ago | 0.94 KB Untitled 18 min ago | 0.94 KB Untitled 28 min ago | 0.94 KB Untitled 39 min ago | 0.94 KB Untitled 49 min ago | 0.94 KB Untitled 59 min ago | 0.94 KB Untitled 1 hour ago | 10.19 KB Untitled 3 hours ago | 13.48 KB create new paste  /  syntax languages  /  archive  /  faq  /  tools  /  night mode  /  api  /  scraping api  /  news  /  pro privacy statement  /  cookies policy  /  terms of service  /  security disclosure  /  dmca  /  report abuse  /  contact By using Pastebin.com you agree to our cookies policy to enhance your experience. Site design & logo © 2026 Pastebin We use cookies for various purposes including analytics. By continuing to use Pastebin, you agree to our use of cookies as described in the Cookies Policy .   OK, I Understand Not a member of Pastebin yet? Sign Up , it unlocks many cool features!  
2026-01-13T09:30:36
https://alive2.llvm.org/#load-examples
Compiler Explorer Add... Source Editor Diff View More Settings Reset UI layout Reset code and UI layout Open new tab History Thanks for using Compiler Explorer × Sponsors Share Other Become a Patron Sponsor on GitHub Donate via PayPal Source on GitHub Mailing list Installed libraries Wiki Report an issue How it works Contact the author About the author Changelog Version tree Short Short Full   Embedded  Save/Load  Add new... Compiler Execution only Conformance view Source editor   Vim  CppInsights  Quick-bench Popular arguments  Output... Compile to binary Run the compiled output Intel asm syntax Demangle identifiers  Filter... Unused labels Library functions Directives Comments Horizontal whitespace  Libraries  Add new... Clone compiler Optimization output AST output IR output GCC Tree/RTL output Graph output  Add tool...  Output  ( 0 / 0 )  Libraries  Compilation  Arguments  Stdin  Compiler output Wrap lines Wrap lines  Arguments  Stdin Left:  Right:  Tree pass RTL pass Nav Physics  Add compiler  Libraries No libs configured for this language yet. You can suggest us one at any time  Load and save editor text × Examples Browser-local storage Browser-local history File system Load from examples: Load from browser-local storage: Save to browser-local storage Load from browser-local history: Load/save to your system Load from a local file Save to file Close Something alert worthy × Close Well, do you or not? × No Yes Compiler Explorer Settings × These settings control how Compiler Explorer acts for you. They are not preserved as part of shared URLs, and are persisted locally using browser local storage. Site behaviour Default language  Allow my source code to be temporarily stored for diagnostic purposes in the event of an error Theme  Use last selected language when opening new Editors Show community events Keybindings Vim Editor Desired Font Family in editors Enable font ligatures Automatically insert matching brackets and parentheses Automatically indent code (reload page after changing) Highlight linked code lines on hover Show asm description on hover Show quick suggestions Use custom context menu Show editor minimap Keep editor source on language change Use spaces for indentation  Tab width  Format based on  Make Ctrl + S  save to local file instead of creating a share link Enable Word Wrapping Compilation Compile automatically when source changes Delay before compiling:  0.25s   3s Colourise lines to show how the source maps to the output Colour scheme  Close  Read the new cookie policy Compiler Explorer uses cookies and other related techs to serve you  Consent  Don't consent Share embedded × Read Only Hide Editor Toolbars History × History Diff   Inline diff Close
2026-01-13T09:30:36
https://libc.llvm.org/dev/header_generation.html#header-generation
Generating Public and Internal headers — The LLVM C Library Generating Public and Internal headers ¶ There are 3 main components of the Headergen. The first component are the YAML files that contain all the function header information and are separated by header specification and standard. The second component are the classes that are created for each component of the function header: macros, enumerations, types, function, arguments, and objects. The third component is the Python script that uses the class representation to deserialize YAML files into its specific components and then reserializes the components into the function header. The Python script also combines the generated header content with header definitions and extra macro and type inclusions from the .h.def file. Instructions ¶ Required Versions: Python Version: 3.8 PyYAML Version: 5.1 Keep full-build mode on when building, otherwise headers will not be generated. Once the build is complete, enter in the command line within the build directory ninja check-hdrgen to ensure that the integration tests are passing. Then enter in the command line ninja libc to generate headers. Headers will be in build/projects/libc/include or build/libc/include in a runtime build. Sys spec headers will be located in build/projects/libc/include/sys . To add a function to the YAML files, you can either manually enter it in the YAML file corresponding to the header it belongs to or add it through the command line. To add through the command line: Make sure you are in the llvm-project directory. Enter in the command line: python3 libc/utils/hdrgen/yaml_to_classes.py libc/include/[yaml_file.yaml] --add_function "<return_type>" <function_name> "<function_arg1, function_arg2>" <standard> <guard> <attribute> Example: python3 libc/utils/hdrgen/yaml_to_classes.py libc/include/ctype.yaml --add_function "char" example_function "int, void, const void" stdc example_float example_attribute Keep in mind only the return_type and arguments have quotes around them. If you do not have any guards or attributes you may enter “null” for both. Check the YAML file that the added function is present. You will also get a generated header file with the new addition in the hdrgen directory to examine. If you want to sort the functions alphabetically you can check out libc/utils/hdrgen/hdrgen/yaml_functions_sorted.py . Testing ¶ Headergen has an integration test that you may run once you have configured your CMake within the build directory. In the command line, enter the following: ninja check-hdrgen . The integration test is one test that ensures the process of YAML to classes to generate headers works properly. If there are any new additions on formatting headers, make sure the test is updated with the specific addition. Integration Test can be found in: libc/utils/hdrgen/tests/test_integration.py File to modify if adding something to formatting: libc/utils/hdrgen/tests/expected_output/test_header.h Common Errors ¶ Missing function specific component Example: "/llvm-project/libc/utils/hdrgen/hdrgen/yaml_to_classes.py", line 67, in yaml_to_classes function_data["return_type"] If you receive this error or any error pertaining to function_data[function_specific_component] while building the headers that means the function specific component is missing within the YAML files. Through the call stack, you will be able to find the header file which has the issue. Ensure there is no missing function specific component for that YAML header file. CMake Error: require argument to be specified Example: CMake Error at: /llvm-project/libc/cmake/modules/LLVMLibCHeaderRules.cmake:86 (message): 'add_gen_hdr' rule requires GEN_HDR to be specified. Call Stack (most recent call first): /llvm-project/libc/include/CMakeLists.txt:22 (add_gen_header) /llvm-project/libc/include/CMakeLists.txt:62 (add_header_macro) If you receive this error, there is a missing YAML file, h_def file, or header name within the libc/include/CMakeLists.txt . The last line in the error call stack will point to the header where there is a specific component missing. Ensure the correct style and required files are present: [header_name] [../libc/include/[yaml_file.yaml] [header_name.h] DEPENDS {Necessary Depend Files} Command line: expected arguments Example: usage: yaml_to_classes.py [-h] [--output_dir OUTPUT_DIR] [--h_def_file H_DEF_FILE] [--add_function RETURN_TYPE NAME ARGUMENTS STANDARDS GUARD ATTRIBUTES] [--e ENTRY_POINTS] yaml_file yaml_to_classes.py: error: argument --add_function: expected 6 arguments In the process of adding a function, you may run into an issue where the command line is requiring more arguments than what you currently have. Ensure that all components of the new function are filled. Even if you do not have a guard or attribute, make sure to put null in those two areas. Object has no attribute Example: File "/llvm-project/libc/utils/hdrgen/hdrgen/header.py", line 60, in __str__ for function in self.functions: AttributeError: 'HeaderFile' object has no attribute 'functions' When running ninja libc in the build directory to generate headers you may receive the error above. Essentially this means that in libc/utils/hdrgen/hdrgen/header.py there is a missing attribute named functions. Make sure all function components are defined within this file and there are no missing functions to add these components. Unknown type name Example: /llvm-project/build/projects/libc/include/sched.h:20:25: error: unknown type name 'size_t'; did you mean 'time_t'? 20 | int_sched_getcpucount(size_t, const cpu_set_t*) __NOEXCEPT | ^ /llvm-project/build/projects/libc/include/llvm-libc-types/time_t.h:15:24: note: 'time_t' declared here 15 | typedef __INT64_TYPE__ time_t; | ^ During the header generation process errors like the one above may occur because there are missing types for a specific header file. Check the YAML file corresponding to the header file and make sure all the necessary types that are being used are input into the types as well. Delete the specific header file from the build folder and re-run ninja libc to ensure the types are being recognized. Test Integration Errors Sometimes the integration test will fail but that still means the process is working unless the comparison between the output and expected_output is not showing. If that is the case make sure in libc/utils/hdrgen/tests/test_integration.py there are no missing arguments that run through the script. If the integration tests are failing due to mismatching of lines or small errors in spacing that is nothing to worry about. If this is happening while you are making a new change to the formatting of the headers, then ensure the expected output file libc/utils/hdrgen/tests/expected_output/test_header.h has the changes you are applying. libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Developer Guides Previous: Fuzzing for LLVM-libc functions Next: Convention for implementing entrypoints Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://th-th.facebook.com/r.php?next=https%3A%2F%2Fzh-cn.facebook.com%2Fsettings&amp%3Bamp%3Blocale=vi_VN&amp%3Bamp%3Bdisplay=page
Facebook Facebook อีเมลหรือโทรศัพท์ รหัสผ่าน ลืมบัญชีใช่หรือไม่ สมัครใช้งาน คุณถูกบล็อกชั่วคราว คุณถูกบล็อกชั่วคราว ดูเหมือนว่าคุณจะใช้คุณสมบัตินี้ในทางที่ผิดโดยการใช้เร็วเกินไป คุณถูกบล็อกจากการใช้โดยชั่วคราว Back ภาษาไทย 한국어 English (US) Tiếng Việt Bahasa Indonesia Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch สมัคร เข้าสู่ระบบ Messenger Facebook Lite วิดีโอ Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI เนื้อหาเพิ่มเติมจาก Meta AI Instagram Threads ศูนย์ข้อมูลการลงคะแนนเสียง นโยบายความเป็นส่วนตัว ศูนย์ความเป็นส่วนตัว เกี่ยวกับ สร้างโฆษณา สร้างเพจ ผู้พัฒนา ร่วมงานกับ Facebook คุกกี้ ตัวเลือกโฆษณา เงื่อนไข ความช่วยเหลือ การอัพโหลดผู้ติดต่อและผู้ที่ไม่ได้ใช้บริการ การตั้งค่า บันทึกกิจกรรม Meta © 2026
2026-01-13T09:30:36
https://www.hcaptcha.com/dmca.html
hCaptcha - DMCA Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In DE - ES  - FR  - PT - PT (BR) Reporting DMCA Complaints DMCA Registered Agent The hCaptcha Designated Agent for the Digital Millennium Copyright Act (DMCA) is dmca@intuitionmachines.com. Alternate methods of contact are documented in the U.S. Copyright Office DMCA Designated Agent Directory here . Repeat Infringer Policy As part of our DMCA Policy, we place accounts of customers for whom we receive multiple DMCA notifications of alleged infringement into a multi-step DMCA Repeat Infringer Policy. Upon receipt of repeated DMCA notifications in a calendar month, the customer account will progress from one policy step to the next one. Actions that we may take under the DMCA Repeat Infringer Policy include sending alerts of increased visibility to the account’s customer of record. In order to acknowledge these alerts, we may require the customer to log in to the account or call our support team. We also reserve the right to suspend or terminate, as well as apply other interim measures to, the hCaptcha and IMI service of any customer for whom we have continued to receive DMCA notifications of alleged infringement even after we have sent repeat infringer alerts. In addition, we may terminate in our sole discretion other hCaptcha or IMI services provided to these customers when we terminate the hCaptcha service under this policy. Other Complaints If you see content that belongs to you reproduced on the hCaptcha platform and would like it removed for any reason, you may contact us via email. Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:36
https://aws.amazon.com/products/networking/edge-networking/?c=nt&sec=uc
Edge Networking | Networking & Content Delivery | AWS Skip to main content Filter: All English Contact us AWS Marketplace Support My account Search Filter: All Sign in to console Create account Networking & Content Delivery Overview Solution Areas Partners Products › Networking and Content Delivery › Edge networking with AWS Edge networking with AWS Secure and performant networking for user-facing application data Why Edge networking with AWS? AWS edge services deliver faster, more secure, and highly reliable applications worldwide by moving content and computing closer to users. Core services like Amazon CloudFront, AWS WAF, Lambda@Edge, CloudFront Functions, and AWS Global Accelerator work together to enhance your application delivery. These services provide single-digit millisecond latency using AWS's dedicated 100Gbps fiber network and advanced protocols. They improve security by moving traffic off the public internet, encrypting data, and defending against threats. Reliability is enhanced through automatic failovers and multi-region redundancy, while edge computing allows for customized content delivery and authentication at edge locations.Start building with AWS edge services today. AWS Free Tier includes 50GB data transfer out, 2,000,000 HTTP and HTTPS Requests, and 2,000,000 CloudFront Functions invocations. Play Benefits Security Secure your edge networking workloads on AWS through comprehensive perimeter protection layered with networking traffic encryption and access controls. AWS Shield Standard defends traffic transmitted through an AWS edge location from DDoS and malicious web attacks at no additional charge to you. For application protection, you can integrate AWS WAF (Web Application Firewall) using your own rules or leverage Managed Rules for AWS WAF, a pre-configured set of rules managed by AWS or AWS Marketplace Sellers. Performance AWS enables you to improve your application performance by providing access to dispersed and connected infrastructure through global multi-service Points of Presence (PoPs). AWS PoPs have the full AWS edge networking service stack at each location with caching, network connectivity, edge compute, and perimeter protection. These 700+ global PoPs are connected by AWS Global Infrastructure’s redundant 100Gbps dedicated fibers providing single-digit millisecond network latency between applications in an AWS Region and edge locations. Ease of use Work in a familiar environment with industry leading AWS integration. AWS edge networking services can be setup in minutes within the AWS management console manually, with 1-click acceleration, or by following  AWS SDKs . Benefit from native integration with AWS resources and a community of builders working together using the same tools. Cost savings Delivering data through edge locations reduces your application costs by limiting and consolidating requests. Any cache-able data transferred to AWS edge locations from an AWS resources incurs no additional charge. All AWS edge networking services are pay as you go, with no upfront costs, and no minimum usage. Customers willing to make a long term commitment can sign-up for self-service discounts, such as the  CloudFront savings bundle . Use cases Performance and availability Internet users increasingly expect responsive web applications and APIs with lower latency and higher availability. Fast and reliable user experiences contribute to better ranking on search  engines, and increased user engagement. Addressing risks of cyberthreats Publicly accessible web applications and APIs are exposed to threats such as commonly occurring vulnerabilities described in the OWASP Top 10 like SQL injection, automated requests by malicious bots, and DDoS attacks that can affect availability, compromise security, or consume excessive resources. Serverless at the edge Developers are looking for tools to help them easily build modern web applications, and seamlessly integrate with origins in the Cloud or on premises. Learn how to architect and design at the Edge Guide Application Performance - HTTP redirections management Redirection management is a common requirement on websites, often used to redirect non existing URLs, or to localize content based on country. Learn more Guide Application Performance - High availability architectures AWS Edge services are important components for building web applications with high availability. Learn more Guide Application Performance - Edge functions Edge functions are powerful developer tools to add custom logic at the edge with CloudFront. Learn more Guide Application Performance - A/B testing A/B testing or canary deployments technique allow developers to experiment with two or more variants of a web page. Learn more Guide Application Performance - API & dynamic acceleration Dynamic traffic (e.g. APIs or very personalized webpages) are little to not cacheable, but can benefit from the security and acceleration of AWS edge services. Learn more Guide Application Performance - Content delivery in China If you serve users in China, consider using local infrastructure there to enhance the performance and availability of your web applications. Learn more Guide Application Performance - Image optimization Images are commonly the heaviest components of a web page. Optimize images to improve user experience, reduce content delivery costs, and enhance SEO. Learn more Guide Application Performance - Measuring performance Measuring performance is the starting point to identify opportunities for improving the speed of web applications. Learn more Guide Application Performance - Increase origin offload Increasing the Cache Hit Ratio (CHR) with CloudFront improves the performance of a web application, and reduces the load on its origin. Learn more Perimeter Protection Guide Application Security - DDoS protection Applications built on AWS benefit from native DDoS protections and can be designed to be highly resilient against these attacks using AWS services. Learn more Guide Application Security - Origin cloaking Origin Cloaking stops malicious actors from by-passing CloudFront and its security controls to attack the origin directly. Learn more Guide Application Security - AWS WAF governance at scale Large organizations, with many teams developing and operating web applications, employ tools and processes for driving consistency of security controls. Learn more Guide Application Security - Authorization Web applications exposing private content require access control mechanisms to ensure that only authorized users can access the content. Learn more Guide Application Security - Addressing OWASP Top 10 risks OWASP Top 10 is a standard awareness document for web application security. OWASP Top 10 risks can be addressed with AWS provided tools and guidance. Learn more Guide Application Security - Managing false positives in AWS WAF Thwart cyber threats, such as DDoS attacks, undesired bot traffic and malicious CVE exploits. Learn more Guide Application Security - Geo-Blocking Companies implement geo-blocking policies on web applications for different reasons (e.g. regulatory with embargoed countries). Learn more Guide Application Security - Bot management Automated bot traffic can negatively impact on your web application, in terms of availability, infrastructure costs, skewed analytics and fraudulent activities. Learn more Video streaming Guide Video Streaming - Large scale streaming events Streaming video during large scale events requires additional due diligence and planning to ensure a successful delivery. Learn more Guide Video Streaming - Content protection Protecting video content from un-authorized access is one of the top priorities of media companies. Learn more Guide Video Streaming - Multi-CDN delivery Multi-CDN is an approach for video delivery at high scale, driven by the need of more aggregated capacity, increased resiliency or better performance. Learn more Guide Video Streaming - Video on Demand Learn about options for creating a Video on Demand (VoD) workflow using AWS services, covering aspects from content ingestion to delivery and monetization. Learn more Guide Video Streaming - Live Video Streaming Learn how to build scalable live video streaming workflows using AWS services, from content ingestion and processing to global delivery and monetization. Learn more Management Guide AWS Edge Services - CDN Migration Best practices to migrate your Content Delivery Network (CDN) from 3rd party solutions to Amazon CloudFront. Learn more Guide AWS Edge Services - Troubleshooting Troubleshoot issues helps you to quickly remediate errors that can happen at different part of your web application: CloudFront, edge functions, or the origin. Learn more Guide AWS Edge Services - Monitoring Monitoring application delivery helps detecting unusual events and respond to them appropriately. Learn more Guide AWS Edge Services - Change management Learn about the best practices for safely introducing changes to the configuration of AWS Edge Services. Learn more Guide AWS Edge Services - Analytics Get deep insights about the traffic patterns of web applications, to harden WAF protections, tune delivery performance or improve your SEO ranking. Learn more Guide AWS Edge Services - Cost optimization In addition to its benefits for performance, security and availability of your web application, CloudFront can be used to reduce the costs of web application. Learn more Guide AWS Edge Services - Multi-tenant SaaS deployments Multi-tenant deployments of CloudFront require careful design to meet business requirements such as flexibility, cost, scalability and operational overhead. Learn more Guide AWS Edge Services - Getting started Hands-on tutorials and content covering the basic concepts. Learn more Create an AWS account Learn What Is AWS? What Is Cloud Computing? What Is Agentic AI? Cloud Computing Concepts Hub AWS Cloud Security What's New Blogs Press Releases Resources Getting Started Training AWS Trust Center AWS Solutions Library Architecture Center Product and Technical FAQs Analyst Reports AWS Partners Developers Builder Center SDKs & Tools .NET on AWS Python on AWS Java on AWS PHP on AWS JavaScript on AWS Help Contact Us File a Support Ticket AWS re:Post Knowledge Center AWS Support Overview Get Expert Help AWS Accessibility Legal English Back to top Amazon is an Equal Opportunity Employer: Minority / Women / Disability / Veteran / Gender Identity / Sexual Orientation / Age. x facebook linkedin instagram twitch youtube podcasts email Privacy Site terms Cookie Preferences © 2026, Amazon Web Services, Inc. or its affiliates. All rights reserved.
2026-01-13T09:30:36
https://libc.llvm.org/full_cross_build.html#building-for-bare-metal
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://www.hcaptcha.com/blog.html
Blog Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In Research Security Strategy Report: Browser Agent Safety is an Afterthought for Vendors October 28, 2025 Research Are all residential proxy services criminal organizations? July 31, 2025 Attack Prevention Your WAF Probably Won't Stop Distributed Attacks July 14, 2025 Announcements How hCaptcha Stayed Up When Cloudflare and Google Went Down June 13, 2025 All categories Announcements Privacy Attack Prevention Research Security Strategy Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Research Security Strategy Report: Browser Agent Safety is an Afterthought for Vendors We tested agents on 20 of the most common abuse scenarios, from multi-accounting to card testing and support impersonation. Across the board, these products attempted nearly every malicious request. October 28, 2025 Research Are all residential proxy services criminal organizations? An in-depth analysis of the residential proxy service industry, revealing a significant disconnect between its purported legitimate uses and actual observed traffic. July 31, 2025 Attack Prevention Your WAF Probably Won't Stop Distributed Attacks WAFs often tout their ability to stop scaled attacks, but the tools attackers use have changed. July 14, 2025 Announcements How hCaptcha Stayed Up When Cloudflare and Google Went Down Google and Cloudflare suffered multi-hour outages this week, taking reCAPTCHA, Turnstile, and many of their other services offline. hCaptcha was unaffected. Here's how we did it. June 13, 2025 Attack Prevention How to Defend Your Organization Against Card Testing Attacks eCommerce has grown significantly over the past few years. Unfortunately, so has financial fraud and payment card-testing attacks. March 1, 2025 Research Attack Prevention Security Strategy Preparing for AI Agents AI agents are coming. How should you prepare? February 7, 2025 Announcements Our Position on AI Regulation There is currently substantial interest in directly regulating the development and availability of AI, rather than its applications. Here is our position. August 27, 2024 Security Strategy Security Strategy Why Classic Browser Fingerprinting No Longer Stops Bots Browser fingerprinting, once a powerful tool, is now thwarted by privacy-focused browsers and advanced evasion tactics, making it largely obsolete for identifying threat actors. July 16, 2024 Attack Prevention Security Strategy Passkeys Offer Both Benefits and New Attack Surfaces Be careful when implementing passkeys. They can offer a more secure alternative to passwords when implemented correctly, but provide many ways for implementers to shoot themselves in the foot. March 12, 2024 Announcements As Google raises prices on reCAPTCHA, hCaptcha remains the ROI leader Google has raised reCAPTCHA prices yet again, nearly eliminating its free tier. hCaptcha delivers higher performance and better ROI with unchanged tiers. January 30, 2024 Research Report: Cybercrime Groups choose Black Friday and Cyber Monday to Debut New Attacks November brings discounts from popular retailers, and for many merchants the 24th to 27th is a substantial percentage of their annual sales. Here are some of the attack trends we saw in 2023. November 30, 2023 Announcements Attack Prevention hCaptcha Named a Technology Leader in Bot Management hCaptcha Named a Technology Leader in Bot Management: 2023 SPARK Matrix™ October 17, 2023 Research How Well Do AI Text Detectors Work? We used data from our recent report on generative AI abuse to test popular detectors on confirmed LLM and human output. No public AI text detector we tested scored better than random chance. June 7, 2023 Research Security Strategy Generative AI is making some platforms useless The hCaptcha research team recently reviewed generative AI abuse in the wild. We found that many online services have no effective mitigation in place. This report covers one example of our findings. May 9, 2023 Research Security Strategy Detecting Large Language Models Generative AI has improved over the past decade. Here's how we adapt to AI advances. April 18, 2023 Research Security Strategy hCaptcha vs. Turnstile Recently, our friends at Cloudflare introduced a bot defense product called Turnstile. How does it compare to hCaptcha? Read this post to find out. December 8, 2022 Attack Prevention hCaptcha vs. reCAPTCHA Why Organizations are Choosing hCaptcha over reCAPTCHA v2 and reCAPTCHA v3. September 15, 2022 Research Security Strategy Can Dogs Smile? Making challenges fun means understanding what people like. August 17, 2022 Announcements Introducing hCaptcha Pro Have you ever wanted to offer a lower friction experience to your users while maintaining good defenses against automation? July 26, 2022 Attack Prevention How Invalid Traffic is Damaging Your Marketing Operations Invalid traffic (IVT) is artificially inflated traffic and activity on a website that doesn’t come from users with a genuine interest in the site’s content, products, or services. July 14, 2022 Privacy Protecting User Privacy is Not Optional Online services face increasing public pressure to protect their visitors' private data. This is reflected in many new data privacy laws around the world. June 30, 2022 Announcements Privacy Research Announcing Support for Private Access Tokens Curious about Private Access Tokens, aka PATs? hCaptcha has been working on standardizing the protocol behind them for years, and today Apple announced support in iOS 16. June 8, 2022 Attack Prevention Bots, Botkits, and Botnets – Know Your Enemy Learn about the different types of bots and how they can be used for malicious purposes. Understand the dangers of botkits and botnets and how to protect yourself from them. June 1, 2022 Attack Prevention Fake Diurnals - Malicious Bots Hiding in Plain Sight Unveil the threat of fake diurnal bots hiding in plain sight. Learn how these malicious bots can harm your website and ways to prevent them. May 18, 2022 Announcements Fastmail Puts Privacy First with hCaptcha Fastmail initially used Google reCAPTCHA, but their customers were unhappy because it collected, stored, and transmitted PII. Switching to hCaptcha solved the problem and delighted Fastmail customers May 5, 2022 Announcements Why e-Commerce Leader Shopify Uses hCaptcha Shopify uses hCaptcha for many different applications, from protecting logins to stopping bots from hoarding limited-release goods. April 29, 2022 Security Strategy hCaptcha: Advice on SOC2 Type II Certification hCaptcha has been under the SOC 2 Type II audit regime for some time. Here are some lessons we learned along the way. April 21, 2022 Security Strategy Empowering Security Teams through Advanced Analytics Learn how advanced analytics can empower security teams to stay ahead of threats and protect their organizations. April 18, 2022 Research Security Strategy Humanity Verification: The First 3,000 Years For thousands of years, people have dreamed about AI and the challenges it might bring in distinguishing humans from machines. April 18, 2022 Announcements hCaptcha Now One Million Publishers We are delighted to announce that hCaptcha surpassed one million publishers this year. April 14, 2022 Security Strategy Announcements hCaptcha is not affected by the Okta compromise hCaptcha's review of the January 2022 Okta compromise. There was no impact to hCaptcha services. March 23, 2022 Attack Prevention How Credential Stuffing Can Derail Your Business and What to Do About It Credential stuffing attacks are on the rise, with billions of stolen credentials now available to attackers. hCaptcha helps stop bots from breaking into user accounts. February 22, 2022 Attack Prevention Security Strategy Announcements hCaptcha is not affected by log4shell. Here's how we know. The log4j2 remote code execution bug recently swept the internet, affecting a large percentage of online services. hCaptcha was not affected. Here is how we verified that fact. January 13, 2022 Privacy hCaptcha Is Now The Largest Independent CAPTCHA Service, Runs on 15% Of The Internet You can beat Google by putting privacy first January 8, 2022 Research Do CAPTCHAS discriminate against non-Americans? A look at hCaptcha solve rates across the globe January 4, 2022 Research Why CAPTCHAs Will Be With Us Always The first known spam email was sent in 1978. Almost five decades later, email spam continues to plague us. There are industries creating spam and those who defend against it. Why is that? May 13, 2021 Announcements Globo Counts Nearly 3 Million Votes per Minute with hCaptcha Enterprise Big Brother Brasil has broken all records for engagement, setting a new popularity benchmark and peaking at 2.988 million votes in a single minute and hundreds of millions of votes per day. March 24, 2021 Research Accessibility at hCaptcha: Current and Future Plans Discover hCaptcha's plans to improve web accessibility. Learn how they're making their platform more inclusive for all users, present and future. March 23, 2021 Announcements hCaptcha Now Natively Available in WPForms If you are looking to easily add forms to your WordPress site while getting all the benefits of hCaptcha protection, give them a try! December 17, 2020 Research AI Ethics in the Real World Explore the ethical considerations surrounding AI in today's world. From bias to accountability, discover how AI is changing our society. July 18, 2020 Attack Prevention Implementing hCaptcha in your Flutter App You can get up and running in just a few minutes with Flutter and hCaptcha. June 13, 2020 Research Using hCaptcha with Outsystems 11 Reactive web applications Below is the process to get hCaptcha invisible mode working in an Outsystems 11 Reactive web application. May 21, 2020 Security Strategy How hCaptcha Difficulty Settings Work hCaptcha has several difficulty modes available for publishers to choose. Today we’ll look at what they do, and the tradeoffs of picking each one. April 3, 2020 Attack Prevention Fight spam on your Telegram group with hCaptcha Telegram has become an increasingly popular chat option, boasting hundreds of millions of monthly users. However, popular Telegram groups are bombarded by spam due to a lack of built-in protections. December 5, 2019 Research Which countries have the most bot traffic? (2019) hCaptcha.com served many billions of requests in 2019, and some interesting trends emerged from all that data. December 3, 2019 Announcements hCaptcha Now Supports Privacy Pass Online privacy is important to us at hCaptcha, and we are always looking for ways to strengthen this fundamental human right. November 4, 2019 Announcements Upcoming Changes to Earnings Estimates Two of the most-requested publisher features for hCaptcha have been more accurate real-time estimates and more rapid final reconciliations. Learn about the changes being made to enable these features. October 25, 2019 Attack Prevention How to Use hCaptcha with Android Apps Good news! It is quite simple to integrate hCaptcha with your native Android app today. June 21, 2019 Attack Prevention Using hCaptcha with PHP Want to integrate hCaptcha on a site with PHP? It only takes a few seconds. June 2, 2019 Announcements hCaptcha plugin for WordPress now available It takes only seconds to start using hCaptcha for WordPress! May 2, 2019 Security Strategy How hCaptcha Calculates Rewards hCaptcha uses sophisticated machine learning models to determine whether your visitors are human, and whether the answers they supply are correct. February 5, 2019 Announcements Surviving Cloudflare Argo Outages With Zero Downtime (hCaptcha Engineering Blog) We maintained better than 99.99% uptime in 2018 despite heavy growth in popularity of the hCaptcha service. This was due to engineering our operations for high reliability from day one. January 28, 2019 Announcements Surviving Cloudflare Outages (hCaptcha Engineering Blog) At hCaptcha we see failures often: load balancers go offline, cluster hardware degrades, developers commit incorrect code, network links overload, and so on. January 24, 2019 Research Using hCaptcha with React This is a multi-part series that details the business and technical architecture of HUMAN Protocol, an approach to human-level machine intelligence allowing machines to ask us for the data they need. November 8, 2018 Announcements Research hCaptcha Technical Architecture This is a multi-part series that details the business and technical architecture of hCaptcha, the drop-in replacement for reCAPTCHA. August 27, 2018 Subscribe to our newsletter Stay up to date on the latest trends in cyber security. No spam, promise. Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:36
http://www.videolan.org/news.html#news-2022-07-20
News - VideoLAN * { behavior: url("/style/box-sizing.htc"); } Toggle navigation VideoLAN Team & Organization Consulting Services & Partners Events Legal Press center Contact us VLC Download Features Customize Get Goodies Projects DVBlast x264 x262 x265 multicat dav1d VLC Skin Editor VLC media player libVLC libdvdcss libdvdnav libdvdread libbluray libdvbpsi libaacs libdvbcsa biTStream vlc-unity All Projects Contribute Getting started Donate Report a bug Support donate donate Donate donate donate VideoLAN, a project and a non-profit organization. News archive VLC 3.0.23 2026-01-08 VideoLAN and the VLC team are publishing the 3.0.23 release of VLC today, which is the 24th update to VLC's 3.0 branch: it updates codecs, adds a dark mode option on Windows and Linux, support for Windows ARM64 and improves support for Windows XP SP3. This is the largest bug fix release ever with a large number of stability and security improvements to demuxers (reported by rub.de, oss-fuzz and others) and updates to most third party libraries. Additional details on the release page . The security impact of this release is detailed here . The major maintenance effort of this release to strengthen VLC's overall stability as well as the compatibility with old releases of Windows and macOS was made possible by a generous sponsorship of the Sovereign Tech Fund by Germany's Federal Ministry for Digital Transformation and Government Modernisation. VLC for iOS, iPadOS and tvOS 3.7.0 2026-01-08 Alongside the 3.0.23 release for desktop, VideoLAN and the VLC team are publishing a larger update for Apple's mobile platforms to include the latest improvements of VLC's 3.0 branch plus important bug fixes and amendments for the 26 versions of the OS. Previously, we added pCloud as a European choice for cloud storage allowing direct streaming and downloads within the app. New releases for biTStream, DVBlast and multicat 2025-12-01 We are pleased to release versions 1.6 of biTStream , 3.5 of DVBlast and 2.4 of multicat . DVBlast and multicat had major improvements and new features. New releases for libdvdcss, libdvdread and libdvdnav 2025-11-09 New releases of libdvdread , libdvdnav and libdvdcss have been published today. The biggest features of those releases (libdvdread/nav 7 and libdvdcss 1.5) are related to DVD-Audio support, including DRM decryption. VLC for Android 3.6.0 2025-01-13 We are pleased to release version 3.6.0 of the VLC version for the Android platform. It comes with the new Remote Access feature, a parental control and a lot of fixes. See our Android page . VLC 3.0.21 2024-06-10 VideoLAN and the VLC team are publishing the 3.0.21 release of VLC today, which is the 22nd update to VLC's 3.0 branch: it updates codecs, adds Super Resolution and VQ Enhancement filtering with AMD GPUs, NVIDIA TrueHDR to generate a HDR representation from SDR sources with NVIDIA GPUs and improves playback of numerous formats including improved subtitles rendering notably on macOS with Asian languages. Additional details on the release page . This release also fixes a security issue, which is detailed here . VLC for iOS, iPadOS and Apple TV 3.5.0 2024-02-16 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding playback history, A to B playback, Siri integration, support for external subtitles and audio tracks, a way to favorite folders on local network servers, improved CarPlay integration and many small improvements. VLC 3.0.20 2023-11-02 Today, VideoLAN is publishing the 3.0.20 release of VLC, which is a medium update to VLC's 3.0 branch: it updates codecs, fixes a FLAC quality issue and improves playback of numerous formats including improved subtitles rendering. It also fixes a freeze when using frame-by-frame actions. On macOS, audio layout problems are resolved. Finally, we update the user interface translations and add support for more. Additional details on the release page . This release also fixes two security issues, which are detailed here and there . VLC for iOS, iPadOS and Apple TV 3.4.0 2023-05-03 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new audio playback interface, CarPlay integration, various improvements to the local media library and iterations to existing features such as WiFi Sharing. Notably, we also added maintenance improvements to the port to tvOS including support for the Apple Remote's single click mode. See the press release for details. VLC 3.0.18 2022-11-29 Today, VideoLAN is publishing the 3.0.18 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . This release also fixes multiple security issues, which are detailed here . VideoLAN supports the UNHCR 2022-10-24 VideoLAN is a de-facto pacifist organization and cares about cross-countries cooperations, and believes in the power of knowledge and sharing. War goes against those ideals. As a response Russia's invasion of Ukraine, we decided to financially support the United Nations High Commissioner for Refugees and their work on aiding and protecting forcibly displaced people and communities, in the places where they are necessary. See our press statement . VLC for Android 3.5.0 2022-07-20 VideoLAN is proud to release the new major version of VLC for Android. It comes with new widgets, network media indexation, a better tablet and foldable support, design improvements in the audio screen, improved accessibility and performance improvements. VLC 3.0.17 2022-04-19 Today, VideoLAN is publishing the 3.0.17 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . VLC for iOS, iPadOS and tvOS 3.3.0 2022-03-21 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new video playback interface, support for NFS and SFTP network shares and major improvements to the media handling especially for audio. See the press release . libbluray releases 2022-03-06 libbluray and related libraries, libaacs and libbdplus, have new releases, focused on maintenance, minor improvements, and notably new OSes and new java versions compatibility. See libbluray , libaacs and libbdplus pages. VLC and log4j 2021-12-15 Since its very early days in 1996, VideoLAN software is written in programming languages of the C family (mostly plain C with additions in C++ and Objective-C) with the notable exception of its port to Android, which was started in Java and recently transitioned to Kotlin. VLC does not use the log4j library on any platform and is therefore unaffected by any related security implications. VLC for Android 3.4.0 2021-09-20 We are pleased to release version 3.4.0 of the VLC version for the Android platforms. Still based on libVLC 3, it revamps the Audio Player and the Auto support, it adds bookmarks in each media, simplifies the permissions and improves video grouping. See our Android page . VLC 3.0.16 2021-06-21 Today, VideoLAN is publishing the 3.0.16 release of VLC, which fixes delays when seeking on Windows, opening DVD folders with non-ASCII character names, fixes HTTPS support on Windows XP, addresses audio drop-outs on seek with specific MP4 content and improves subtitles renderering. It also adds support for the TouchBar on macOS. More details on the release page . VLC 3.0.14, auto update issues and explanations 2021-05-11 VLC users on Windows might encounter issues when trying to auto update VLC from version 3.0.12 and 3.0.13. Find more details here . We are publishing version 3.0.14 to address this problem for future updates. VLC 3.0.13 2021-05-10 VideoLAN is now publishing 3.0.13 release, which improves the network shares and adaptive streaming support, fixes some MP4 audio regressions, fixes some crashes on Windows and macOS and fixes security issues. More details on the release page . libbluray 1.3.0 2021-04-05 A new release of libbluray was pushed today, adding new APIs, to improve the control of the library, improve platforms support, and fix some bugs. See our libbluray page. VideoLAN is 20 years old today! 2021-02-01 20 years ago today, VideoLAN moved from a closed-source student project to the GNU GPL, thanks to the authorization of the École Centrale Paris director at that time. VLC has grown a lot since, thanks to 1000 volunteers! Read our press release! . VLC for Android 3.3.4 2021-01-21 VideoLAN is now publishing the VLC for Android 3.3.4 release which focuses on improving the Chromecast support. Since the 3.3.0 release, a lot of improvements have been made for Android TV, SMB support, RTL support, subtitles picking and stability. . VLC 3.0.12 2021-01-18 VideoLAN is now publishing 3.0.12 release, which adds support for Apple Silicon, improves Bluray, DASH and RIST support. It fixes some audio issues on macOS, some crashes on Windows and fixes security issues. More details on the release page . libbluray 1.2.1 2020-10-23 A minor release of libbluray was pushed today, focused on fixing bugs and improving the support for UHD Blurays. More details on the libbluray page. VLC for Android 3.3 2020-09-23 VideoLAN is proud to release the new major version of VLC for Android. A complete design rework has been done. The navigation is now at the bottom for a better experience. The Video player has also been completely revamped for a more modern look. The video grouping has been improved and lets you create custom groups. You can also easily share your media with your friends. The settings have been simplified and a lot of bugs have been fixed. VLC 3.0.11.1 2020-07-29 Today, VideoLAN is publishing the VLC 3.0.11.1 release for macOS, which notably solves an audio rendering regression introduced in the last update specific to that platform. Additionally, it improves playback of HLS streams, WebVTT subtitles and UPnP discovery. VLC 3.0.11 2020-06-16 VideoLAN is now publishing the VLC 3.0.11 release, which improves HLS playback and seeking certain m4a files as well as AAC playback. Additionally, this solves an audio rendering regression on macOS when pausing playback and adds further bug fixes. Additionally, a security issue was resolved. More information available on the release page . VLC 3.0.10 2020-04-28 VideoLAN is now publishing the VLC 3.0.10 release, which improves DVD, macOS Catalina, adaptive streaming, SMB and AV1 support, and fixes some important security issues. More information available on the release page . We are also releasing new versions for iOS (3.2.8) and Android 3.2.11 for the same security issues. VLC for iOS and tvOS releases 2020-03-31 VideoLAN is publishing updates to VLC on iOS and tvOS, to fix numerous small issues, add passcode protection on the web sharing, and improve the quick actions and the stability of the application. VLC for iOS 3.2.5 release 2019-12-03 VideoLAN is publishing updates to VLC on iOS, to improve support for iOS9 compatibility and add new quick actions and improves the collection handling. libdvdread and libdvdnav releases 2019-10-13 We are publishing today libdvdnav and libdvdread minor releases to fix minor crashes and improving the support for difficult discs. See libdvread page for more information . VLC for iOS 3.2.0 release 2019-09-14 VideoLAN is finally publishing its new major version of iOS, numbered 3.2.0. This update starts the changes for the new interface that will drive the development for the next year. It should give the correct building blocks for the future of the iOS app. VLC 3.0.8 2019-08-19 VideoLAN is now publishing the VLC 3.0.8 release, which improves adaptive streaming support, audio output on macOS, VTT subtitles rendering, and also fixes a dozen of security issues. More information available on the release page . VLC 3.0.7 2019-06-07 After 100 millions downloads of 3.0.6, VideoLAN is releasing today the VLC 3.0.7 release, focusing on numerous security fixes, improving HDR support on Windows, and Blu-ray menu support. VideoLAN would like to thank the EU-FOSSA project from the European Commission, who funded this initiative. More information available on the release page . VLC for Android 3.1 2019-04-08 VideoLAN is happy to present the new major version of VLC for Android platforms. Featuring AV1 decoding with dav1d, Android Auto, Launcher Shortcuts, Oreo/Pie integration, Video Groups, SMBv2, and OTG drive support, but also improvements on Cast, Chromebooks and managing the audio/video libraries, this is a quite large update. libbluray 1.1.0 2019-02-12 VideoLAN is releasing a new major version of libbluray: 1.1.0. It adds support for UHD menus (experimental) , for more recents of Java, and improves vastly BD-J menus. This release fixes numerous small issues reported. libdvdread 6.0.1 2019-02-05 VideoLAN is releasing a new minor version of libdvdread, numbered 6.0.1, fixing minor DVD issues. See libdvdread page for more info. VLC reaches 3 billion downloads 2019-01-12 VideoLAN is very happy to announce that VLC crossed the 3 billion downloads on our website: VLC statistics . Please note that this number is under-estimating the number of downloads of VLC. VLC 3.0.6 2019-01-10 VideoLAN is now publishing the VLC 3.0.6 release, which fixes an important regression that appeared on 3.0.5 for DVD subtitles. It also adds support for HDR in AV1. VLC 3.0.5 2018-12-27 VideoLAN is now publishing the VLC 3.0.5 release, a new minor release of the 3.0 branch. This release notably improves the macOS mojave support, adds a new AV1 decoder and fixes numerous issues with hardware acceleration on Windows. More information available here . VLC 3.0.4 2018-08-31 VideoLAN is publishing the VLC 3.0.4 release, a new minor release of the 3.0 branch. This release notably improves the video outputs on most OSes, supports AV1 codec, and fixes numerous small issues on all OSes and Platforms. More information available here . Update for all Windows versions is strongly advised. VLC 3.0.13 for Android 2018-07-31 VideoLAN is publishing today, VLC 3.0.13 on Android and Android TV. This release fixes numerous issues from the 3.0.x branch and improves stability. VLC 3.1.0 for WinRT and iOS 2018-07-20 VideoLAN is publishing today, VLC 3.1.0 on iOS and on Windows App (WinRT) platforms. This release brings hardware encoding and ChromeCast on those 2 mobile platforms. It also updates the libvlc to 3.0.3 in those platforms. VLC 3.0.3 2018-05-29 VideoLAN is publishing the VLC 3.0.3 release, a new minor release of 3.0. This release is fixing numerous crashes and regressions from VLC 3.0.0, "Vetinari", and it fixes some security issues. More information available here . Update for everyone is advised for this release. VLC 3.0.2 2018-04-23 VideoLAN is publishing the VLC 3.0.2 release, for general availability. This release is fixing most of the important bugs and regressions from VLC 3.0.0, "Vetinari", and improves decoding speed on macOS. More than 150 bugs were fixed since the 3.0.0 release. More information available here . VLC 3.0.1 2018-02-28 VideoLAN and the VLC development team are releasing VLC 3.0.1, the first bugfix release of the "Vetinari" branch, for Linux, Windows and macOS. This version improves the chromecast support, hardware decoding, adaptive streaming, and fixes many bugs or crashes encountered in the 3.0.0 version. In total more than 30 issues have been fixed, on all platforms. More information available here . VLC 3.0.0 2018-02-09 VideoLAN and the VLC development team are releasing VLC 3.0.0 "Vetinari" for Linux, Windows, OS X, BSD, Android, iOS, UWP and Windows Phone today! This is the first major release in three years. It activates hardware decoding by default to get 4K and 8K playback, supports 10bits and HDR playback, 360° video and 3D audio, audio passthrough for HD audio codecs, streaming to Chromecast devices (even in formats not supported natively), playback of Blu-Ray Java menus and adds browsing of local network drives. More info on our release page . VLC 2.2.8 2017-12-05 VideoLAN and the VLC development team are happy to publish version 2.2.8 of VLC media player today. This release fixes a security issue in the AVI demuxer. Additionally, it includes the following fixes, which are part of 2.2.7: This release fixes compatibility with macOS High Sierra and fixes SSA subtitles rendering on macOS. This release also fixes a few security issues, in the flac and the libavcodec modules (heap write overflow), in the avi module and a few crashes. For macOS users, please note: A bug was fixed in VLC 2.2.7 concerning the update mechanism on macOS. In rare circumstances, an auto-update from older versions of VLC to VLC 2.2.8 might not be possible. Please download the update manually from our website in this case. VideoLAN joins the Alliance for Open Media 2017-05-16 The VideoLAN non-profit organization is joining the Alliance for Open Media , to help developing open and royalty-free codecs and other video technologies! More information in our press release: VideoLAN joins Alliance for Open Media . VLC 2.2.5.1 2017-05-12 VideoLAN and the VLC development team are happy to publish version 2.2.5.1 of VLC media player today This fifth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.4, notably video rendering issues on AMD graphics card as well as audio distortion on macOS and 64bit Windows for certain audio files. It also includes updated codecs libraries and improves overall security. Read more about it on our release page . Press release: Wikileaks revelations about VLC 2017-03-09 Following the recent revelations from Wikileaks about the use of VLC by the CIA, you can download the official statement from the VideoLAN organization here . VLC for Android 2.1 beta 2017-02-24 VideoLAN and the VLC development team are happy to publish beta version 2.1 of VLC for Android today It brings 360° video & faster audio codecs passthru support, performances improvements, Android auto integration and a refreshed UX. See all new features and get it VLC for Android 2.0.0 2016-06-21 VideoLAN and the VLC development team are happy to publish version 2.0 of VLC for Android today It supports network shares browsing and playback, video playlists, downloading subtitles, pop-up video view and multiwindows, the new releases of the Android operating system, and merged Android TV and Android packages. Get it now! and give us your feedback. VLC 2.2.4 2016-06-05 VideoLAN and the VLC development team are happy to publish version 2.2.4 of VLC media player today This fourth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.3 for Windows XP and certain audio files. It also includes updated codecs libraries and fixes a security issue when playing specifically crafted QuickTime files as well as a 3rd party security issue in libmad. Read more about it on our release page . VideoLAN servers under maintenance 2016-05-19 Due to unscheduled maintenance on one of our servers, some git repositories , the trac bug tracker and mailing-lists are currently not available. We are restoring the services, but we can't give detailed information when everything will be back online. Note that downloads from this website, git repositories on code.videolan.org , the wiki and the forum are not affected. Important: Any communication send to email addresses on the videolan.org domain (aka yourdude@videolan.org) won't reach the receiver. VLC 2.2.3 2016-05-03 VideoLAN and the VLC development team are happy to publish version 2.2.3 of VLC media player today This third stable release of the "WeatherWax" version of VLC fixes more than 30 important bugs reported on VLC 2.2.2. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Read more about it on our release page . VideoLAN Dev Days 2016 part of QtCon 2016-02-18 2016 is a special year for many FLOSS projects: VideoLAN as open-source project and Free Software Foundation Europe both have their 15th birthday while KDE has its 20th birthday. All these call for celebrations! This year VideoLAN has come together with Qt , FSFE , KDE and KDAB to bring you QtCon , where attendees can meet, collaborate and get the latest news of all these projects. VideoLAN Dev Days 2016 will be organised as part of QtCon in Berlin. The event will start on Friday the 2nd of September with 3 shared days of talks, workshops, meetups and coding sessions. The current plan is to have a Call for Papers in March with the Program announced in early June. VLC 2.2.2 2016-02-06 VideoLAN and the VLC development team are happy to publish version 2.2.2 of VLC media player today This second stable release of the "WeatherWax" version of VLC fixes more than 100 important bugs and security issues reported on VLC 2.2.1. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Finally, this update solves installation issues on Mac OS X 10.11 El Capitan. Read more about it on our release page . 15 years of GPL 2016-02-01 VideoLAN is happy to celebrate with you the 15th anniversary of the birth of VideoLAN and VLC as open source projects! Announcing VLC for Apple TV 2016-01-12 VideoLAN and the VLC team is excited to announce the first release of VLC for Apple TV. It allows you to get access to all your files and video streams in their native formats without conversions, directly on the new Apple device and your TV. You can find details in our press release . libdvdcss 1.4.0 2015-12-24 VideoLAN is proud to announce the release of version 1.4.0 of libdvdcss . This release adds support for network callbacks, to play ISOs over the network, Android support, and cleans the codebase. VLC for iOS 2.7.0 2015-12-22 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds full support for iOS 9 including split screen and iPad Pro, for Windows shares (SMB), watchOS 2, a new subtitles engine, right-to-left interfaces, system-wide search (spotlight), Touch ID protection, and more. It will be available on the App Store shortly. VLC for ChromeOS 2015-12-17 VideoLAN and the Android teams are happy to announce the port of VLC to the ChromeOS operating system. This is the port of the Android version to ChromeOS, using the Android Runtime on Chrome. You can download it now! . VLC for Android 1.7.0 2015-12-01 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.7.0. This release includes a large refactoring that gives a new playlist, new notifications, a new subtitles engine, and uses less permissions. Get it now! . VLC for Android 1.6.0 2015-10-09 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.6.0. Ported to Android 6.0, this release should provide an important performance boost for decoding and the interface. Get it now! . DVBlast 3.0, multicat 2.1, bitstream 1.1 2015-10-07 VideoLAN and the DVBlast teams are happy to present the simultaneous release of DVBlast 3.0, bitstream 1.1 and multicat 2.1! DVBlast and multicat are now ported to OSX and DVBlast 3.0 is a major rewrite with new features like PID/SID remapping and stream monitoring. DVBlast , bitstream and multicat . libbluray 0.9.0 2015-10-04 VideoLAN and the libbluray team are releasing today libbluray 0.9.0. Adding numerous features, notably to better support BD-J menus and embedded subtitles files, it also fixes a few important issues, like font-caching. See more on libbluray page VLC for iOS 2.6.0 2015-06-30 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds support for Apple Watch to remote control and browse the library on iPhone, a mini player and large number of improvements through-out the app. It will be available on the App Store shortly. libbluray 0.8.0, libaacs 0.8.1 released 2015-04-30 The 2 VideoLAN Blu-Ray libraries have been released: libbluray 0.8.0 , libaacs 0.8.1 . These releases add support for ISO files, BD-J JSM and virtual devices. VLC 2.2.1 2015-04-16 VideoLAN and the VLC development team are releasing today VLC 2.2.1, named "Terry Pratchett". This first stable release of the "WeatherWax" version of VLC fixes most of the important bugs reported of VLC 2.2.0. VLC 2.2.0, a major version of VLC, introduced accelerated auto-rotation of videos, 0-copy hardware acceleration, support for UHD codecs, playback resume, integrated extensions and more than 1000 bugs and improvements. 2.2.0 release was the first release to have versions for all operating systems, including mobiles (iOS, Android, WinRT). More info on our release page VLC for Android 1.2.1, for WinRT & Windows Phone 1.2.1 and for iOS 2.5.0 2015-03-27 VideoLAN and the VLC development team are happy to release updates for all three mobile platforms today. VLC for Android received support for audio playlists, improved audio quality, improvements to the material design interface, including the black theme and switch to audio mode. Further, it is a major update for Android TV adding support for media discovery via UPnP, with improvements for recommendations and gamepads. VLC for Windows Phone and WinRT received partial hardware accelerated decoding allowing playback of HD contents of certain formats as well as further iterations on the user interface. For VLC for iOS, we focused on improved cloud integration adding support for iCloud Drive, OneDrive and Box.com, a 10-band equalizer as well as sharing of the media library on the local network alongside an improved playback experience. All updates will be available on the respective stores later today. We hope that you like them as much as we do. VLC 2.2.0 2015-02-27 VideoLAN and the VLC development team are releasing VLC 2.2.0 for most OSes. We're releasing the desktop version for Linux, Windows, OS X, BSD, and at the same time, Android, iOS, Windows RT and Windows Phone versions. More info on our release page and press release . libbluray 0.7.0, libaacs 0.8.0 and libbdplus 0.1.2 released 2015-01-27 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.7.0 , libaacs 0.8.0 and libbdplus 0.1.2 library. Those releases notably improves BD-J support, fonts support and file-system access. VLC for Android 0.9.9 2014-09-05 VideoLAN and the VLC development team are happy to present a new release for Android. This focuses on fixing crashes, better decoding and update of translations. More info in the release notes and download page . VLC 2.1.5 2014-07-26 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. This fixes a few bugs and security issues in third-party libraries, like GnuTLS and libpng. More info on our release page libbluray, libaacs and libbdplus release 2014-07-13 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.6.0 , libaacs 0.7.1 and libbdplus 0.1.1 library. Those releases notably add correct support for BD-J , the Java interactivity layer of Blu-Ray Discs. VLC for Android 0.9.7 2014-07-06 VideoLAN and the VLC development team are happy to present a new release for Android today. It improves a lot DVD menus and navigation, adds compatibility with Android L, fixes a few UI crashes and updates the translations. More info in the release notes . VLC for Android 0.9.5 2014-06-13 VideoLAN and the VLC development team are happy to present a new release for Android today. It adds support for DVD menus, a new VLC icon, tutorials and numerous fixes for crashes. More info in the release notes . VLC for iOS 2.3.0 2014-04-18 VideoLAN and the VLC development team are happy to present a new release for iOS today. It adds support for folders to group media, more options to customize playback, improved network interaction in various regards, many small but noticeable improvements as well as 3 new translations. More info in the release notes . VideoLAN announces distributed codec and conecoins! 2014-04-01 VideoLAN and the VLC development team are happy to present their new distributed codec, named CloudCodet ! To help smartphones users, this codec allows powerful computers to decode for other devices and the CPU-sharers will mine some conecoin , a new cone-shaped crypto-currency, in reward. More info on our press page VLC 2.1.4 and 2.0.10 2014-02-21 VideoLAN and the VLC development team are happy to present two updates for Mac OS X today. Version 2.1.4 solves an important DVD playback regression, while 2.0.10 accumulates a number of small improvements and bugfixes for older Macs based on PowerPC or 32-bit Intel CPUs running OS X 10.5. VLC 2.1.3 2014-02-04 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. Fixing multiple bugs and regressions introduced in 2.1.0, 2.1.1 and 2.1.2, notably on audio and video outputs, decoders and demuxers More info on our release page libbluray, libaacs and libbdplus release 2013-12-24 Several Blu-Ray related libraries have been released: libbluray 0.5.0 , libaacs 0.7.0 and the new libbdplus library. VLC 2.1.2 2013-12-10 VideoLAN and the VLC development team are proud to present the second minor version of the VLC 2.1.x branch. Fixing many bugs and regressions introduced in 2.1.0, notably on audio device management and SPDIF/HDMI pass-thru. More info on our release page VLC 2.1.1 2013-11-14 VideoLAN and the VLC development team are proud to present the first minor version of the VLC 2.1.x branch. Fixing a numerous number of bugs and regressions introduced in 2.1.0, it also adds experimental HEVC and VP9 decoding and improves VLC installer on Windows. More info on our release page VLC 2.0.9 2013-11-05 VideoLAN and the VLC development team are glad to present a new minor version of the VLC 2.0.x branch. Mostly focused on fixing a few important bugs and security issues, this version is mostly needed for Mac OS X, notably for PowerPC and Intel32 platforms that cannot upgrade to 2.1.0. VLC 2.1.0 2013-09-26 VideoLAN and the VLC development team are glad to present the new major version of VLC, 2.1.0, named Rincewind With a new audio core, hardware decoding and encoding, port to mobile platforms, preparation for Ultra-HD video and a special care to support more formats, 2.1 is a major upgrade for VLC. Rincewind has a new rendering pipeline for audio, with better effiency, volume and device management, to improve VLC audio support. It supports many new devices inputs, formats, metadata and improves most of the current ones, preparing for the next-gen codecs. More info on our release page . VLC for iOS version 2.1 2013-09-06 VideoLAN and the VLC for iOS development team are happy to present version 2.1 of VLC for iOS, a first major update to this new port adding support for subtitles in non-western languages, basic UPNP discovery and streaming, FTP server discovery, streaming and downloading, playback of audio-only media, a newly implemented menu and application flow as well as various stability improvements, minor enhancements and additional translations. VLC 2.0.8 and 2.1.0-pre2 2013-07-29 VideoLAN and the VLC development team are happy to present VLC 2.0.8, a security update to the "Twoflower" family, and VLC 2.1.0-pre2, the second pre-version of VLC 2.1.0. You can find info about 2.0.8 in the release notes . VLC 2.1.0-pre2 is a test version of the next major version of VLC, named "Rincewind", intended for advanced users. If you're brave, you can try it now! NB: The first binaries of 2.0.8 for Win32 and Mac were broken. Please re-download them. VLC 2.0.7 2013-06-10 VideoLAN and the VLC development team are happy to present the eighth version of "Twoflower", a minor update that improves the overall stability. Notable changes include fixes for audio decoding, audio encoding, small security issues, regressions, fixes for PowerPC, Mac OS X and new translations. More info in the release notes . VLC 2.0.6 2013-04-11 VideoLAN and the VLC development team are happy to present the seventh version of "Twoflower", a minor update that improves the overall stability. Notable changes include support for Matroska v4, improved reliability for ASF, Ogg, ASF and srt support, fixed GPU decoding on Windows on Intel GPU, fixed ALAC and FLAC decoding, and a new compiler for Windows release. More info in the release notes . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VLC fundraiser for Windows 8, RT and Phone ended 2012-12-29 Today, the fundraising campaign for for Windows 8, RT and Phone run by some VideoLAN team members ended. Their goal was successfully reached and they announced to start working on the new ports right away. Find out more . VLC 2.0.5 2012-12-15 VideoLAN and the VLC development team are happy to present the sixth version of "Twoflower", a minor update that improves the overall stability. Notable changes include improved reliability for MKV file playback, fixed MPEG2 audio and video encoding, pulseaudio synchronization, Mac OS interface, and other fixes. It also resolves potential security issues in HTML subtitle parser, freetype renderer, AIFF demuxer and SWF demuxer. More info in the release notes . We would like to remind our users that some VideoLAN team members are trying to raise money for VLC for Windows Metro on Kickstarter . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VideoLAN Security Advisory 1203 2012-11-02 VLC media player versions 2.0.3 and older suffer from a critical buffer overflow vulnerability. Refer to our advisory for technical details. A fix for this issue is already available in VLC 2.0.4. We strongly recommend all users to update to this new version. VLC 2.0.4 2012-10-18 VideoLAN and the VLC development team present the fifth version of "Twoflower", a major update that fixes a lot of regressions, issues and security issues in this branch. It introduces Opus support, improves Youtube, Vimeo streams and Blu-Ray dics support. It also fixes many issues in playback, notably on Ogg and MKV playback and audio device selections and a hundred of other bugs. More info in the release notes . Updated 2.0.3 builds for Mac OS X 2012-08-01 A small number of users on specific setups experienced audio issues with the latest version of VLC media player for Mac OS X. If you are affected, please download VLC again and replace the existing installation. If you're not, there is nothing to do. VideoLAN at FISL 2012-07-19 Next week, we will give two talks about VideoLAN and VLC media player at the 13° Fórum Internacional Software Livre in Porto Alegre, Brazil. This is the first time VideoLAN members attend a conference in South America. We are looking forward to it and hope to see you around. VLC 2.0.3 2012-07-19 VideoLAN and the VLC development are proud to present a minor update adding support for OS X Mountain Lion as well as improving VLC's overall stability on OS X. Additionally, this version includes updates for 18 translations and adds support for Uzbek and Marathi. For MS Windows, you can update manually if you need the translation updates. VLC 2.0.2 2012-07-01 After more than 100 million downloads of VLC 2.0 versions, VideoLAN and the VLC development team present the third version of "Twoflower", a major update that fixes a lot of regressions in this branch. It introduces an important number of features for the Mac OS X platform, notably interface improvements to be on-par with the classic VLC interface, better performance and Retina Display support. VLC 2.0.2 fixes the video playback on older devices both on MS Windows and Mac OS X, includes overall performance improvements and fixes for a couple of hundreds of bugs. More info in the release notes . World IPv6 Launch 2012-06-04 The VideoLAN organization is taking part in the World IPv6 launch on June 6. All services including the website, the forums, the bugtracker and the git server are now accessible via IPv6. VideoLAN at LinuxTag 2012-05-21 We will presenting VLC and other VideoLAN projects at LinuxTag in Berlin this week (booth #167, hall 7.2a). Come around and have a look at our latest developments! Of course, we will also be present during LinuxNacht, in case that you prefer to share a beer with us. 1 billion thank you! 2012-05-09 VideoLAN would like to thank VLC users 1 billion times, since VLC has now been downloaded more than 1 billion times from our servers, since 2005! Get the numbers ! VLC 2.0.1 2012-03-19 After 15 million downloads of VLC 2.0.0 versions, VideoLAN and the VLC development team present the second version of "Twoflower", a bugfix release. Support for MxPEG files, new features in the Mac OS X interface are part of this release, in addition to faster decoding and fixes for hundred of bugs and regression, notably for HLS, MKV, RAR, Ogg, Bluray discs and many other things. This is also a security update . More info on the release notes . VLC 2.0.0 2012-02-18 After 485 million downloads of VLC 1.1.x versions, VideoLAN and the VLC development team present VLC 2.0.0 "Twoflower", a major new release. With faster decoding on multi-core, GPU, and mobile hardware and the ability to open more formats, notably professional, HD and 10bits codecs, 2.0 is a major upgrade for VLC. Twoflower has a new rendering pipeline for video, with higher quality subtitles, and new video filters to enhance your videos. It supports many new devices and BluRay Discs (experimental). It features a completely reworked Mac and Web interfaces and improvements in the other interfaces make VLC easier than ever to use. Twoflower fixes several hundreds of bugs, in more than 7000 commits from 160 volunteers. More info on the release notes . VideoLAN at SCALE 10x 2012-01-15 VideoLAN will have a booth (#74) at the Southern California Linux Expo at the Hilton Los Angeles Airport Hotel next week-end. The event will take place from Friday throughout Sunday. We will happily show you the latest developments and our forthcoming major VLC update. multicat 2.0 2012-01-04 VideoLAN is happy to announce the second major release of multicat . It brings numerous new features, such as recording chunks of a stream in a directory, and supporting TCP socket and IPv6, as well as bug fixes. Also aggregaRTP was extended to support retransmission of lost packets. DVBlast 2.1 2012-01-04 VideoLAN is happy to announce version 2.1 of DVBlast . It is a bugfix release, fixing in particular a problem with MMI menus present in 2.0. VLC engine relicensed to LGPL 2011-12-21 As previously stated , VideoLAN worked on the relicensing of libVLC and libVLCcore: the VLC engine. We are glad to announce that this process is now complete for VLC 1.2. Thanks a lot for the support. VLC 1.1.13 2011-12-20 VideoLAN and the VLC development team present VLC 1.1.13, a bug and security fix release. This release was necessary due to a security issue in the TiVo demuxer . Source code is available. DVBlast 2.0 and biTStream 1.0 2011-12-15 VideoLAN is happy to announce DVBlast 2.0, the fourth major release of DVBlast . It fixes a number of issues, such as packet bursts and CAM communication problems, adds more configuration options, and improves dvblastctl with stream information. It also gets rid of the runtime dependency on libdvbpsi thanks to biTStream. VideoLAN is also happy to introduce the first public release of biTStream , a set of C headers allowing a simpler access (read and write) to binary structures such as specified by MPEG, DVB, IETF, etc... It is released under the MIT license to avoid readability concerns being shadowed by license issues. It already has a pretty decent support of MPEG systems packet structures, MPEG PSI, DVB SI, DVB simulcast and IETF RTP. libaacs 0.3.0 2011-12-02 The doom9 researchers and the libaacs developers would like to present the first official release of their library of the implementation of the libaacs standard. libaacs 0.3.0 source code can be downloaded on the VideoLAN download service . Nota Bene: This library is of no use without AACS keys. libbluray 0.2.1 2011-11-30 VideoLAN and the libbluray developers would like to present the first official release of their library to help playback of Blu-Ray for open source systems. libbluray 0.2.1 source code can be downloaded on the VideoLAN ftp . VLC 1.1.12 2011-10-06 VideoLAN and the VLC development team present VLC 1.1.12, a bug and security fix release with improvements for audio output on Mac OS X and with PulseAudio. This release was necessary due to a security issue in the HTTP and RTSP server components, though this does not affect standard usage of the player. Binaries for Mac OS X and sources are available. Changing the VLC engine license to LGPL 2011-09-07 During the third VideoLAN Dev Days , last weekend in Paris, numerous developers approved the process of changing the license of the VLC engine to LGPL 2.1 (or later). This is the beginning of the process and will require the authorization from all the past contributors. See our press release on this process. libdvbpsi 0.2.1 2011-09-01 The libdvbpsi development team release version 0.2.1 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.1 is a bugfix release which corrects minor issues in libdvbpsi. For more information on features visit libdvbpsi main page . Invitation to VDD11 2011-08-15 VideoLAN would like to invite you to join us at the VideoLAN Dev Days 2011. This technical conference about open source multimedia, will see developers from VLC, libav, FFmpeg, x264, Phonon, DVBlast, PulseAudio, KDE, Gnome and other projects gather to discuss about open source development for multimedia projects. It will be held in Paris, France, on September 3rd and 4th , 2011. See more info, on the dedicated page. VLC 1.1.11 2011-07-15 VideoLAN and the VLC development team present VLC 1.1.11, a security release with some other improvements. This release was necessary due to two security issues in the real and avi demuxers. It also contains improvements in the fullscreen mode of the Win32 mozilla plugin, the MacOSX Media Key handling and Auhal audio output as well as bug fixes in GUI, decoders and demuxers.. Source and binaries builds for Windows and Mac are available. VLC 1.1.10.1 2011-06-16 Shortly after VLC 1.1.10, VideoLAN and the VLC development team present version 1.1.10.1, which includes small fixes for the Mac OS X port such as disappearing repeat buttons and restored Freebox TV access. Additionally, the installation size was reduced by up to 30 MB. See the release notes for more information on the additional improvements included from VLC 1.1.10. VLC 1.1.10 2011-06-06 VideoLAN and the VLC development team present VLC 1.1.10, a minor release of the 1.1 branch. This release, 2 months after 1.1.9, was necessary because some security issues were found (see SA 1104 ), and the VLC development team cares about security. This release brings a rewritten pulseaudio output, an important number of small Mac OS X fixes, the removal of the font-cache building for the freetype module on Windows and updates of codecs. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.10. libdvbpsi 0.2.0 2011-05-05 The libdvbpsi development team release version 0.2.0 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.0 marks a license change from GPLv2 to LGPLv2.1 . For more information on features visit libdvbpsi main page . Phonon VLC 0.4.0 2011-04-27 VideoLAN would like to point out that the Phonon team has released Phonon VLC 0.4.0 . The new version of the best backend for the Qt multimedia library features much improved stability, more video features and control as well as completely redone streaming input capabilities. You can read more on Phonon VLC 0.4.0 in the release announcement ! VLC 1.1.9 2011-04-12 VideoLAN and the VLC development team present VLC 1.1.9, a minor release of the 1.1 branch. This release, not long after 1.1.8, was necessary because some security issues were found, and the VLC development team cares about security. This release also brings updated translations and a lot of small Mac OS X fixes. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.9. libdvbcsa 1.1.0 is now out! 2011-04-03 libdvbcsa's new versions brings major speed improvements and optimizations of key schedules. It also fixes minor issues. You can get it now on our FTP or on the main libdvbcsa page! A new year of Google Summer of Code 2011-03-28 Instead of having a lousy student summer internship, why not working for VideoLAN and have an impact on millions of people world-wide? The Google Summer of Code program is starting soon and you should send your applications before April 8th 2011, 19:00 UTC, on the webapplication . You shouldn't wait for the last minute and we would like to remember that application can be modified afterwards and that you can submit multiple applications. Join the team now! VLC 1.1.8 and anti-virus software 2011-03-25 Yet again, broken anti-virus software flag the latest version of VLC on Windows as a malware. This is, once again, a false positive . As some of the anti-virus makers plainly refuse to fix their code, we recommend to our users to stop using Kaspersky , AVL , TheHacker or AVG . Users are advised to use the free Antivir or the new Microsoft Security Essential . Moreover , we advise users to download VLC only from videolan.org , as very numerous scam websites have appeared lately. VLC 1.1.8 2011-03-23 VideoLAN and the VLC development team present VLC 1.1.8, a minor release of the 1.1 branch. Small new features, many bugfixes, updated translations and security issues are making this release too. Notable improvements include updated look on Mac, new Dirac encoder, new VP8/Webm encoder, and numerous fixes in codecs, demuxers, interface, subtitles auto-detection, protocols and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.8. CeBit and 10 years of open source... 2011-02-28 The VideoLAN project and organization would like to thank everyone for the support during this month for our 10 years We'd like to invite you to meet us at the CeBIT , starting from tomorrow, in the open source lounge, Hall 2, Stand F44 . 10 years of open source for VideoLAN: end of 10 days... 2011-02-12 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 6 showed a selection of extensions ; Day 7 detailed a few secret features ; Day 8 showed a few nice cones ; Day 9 detailed our committers and download numbers ; Day 10 showed of a showed a promotionnal video . Please join the celebration! 10 years of open source for VideoLAN: continued... 2011-02-07 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 1 spoke about the early history of the project ; Day 2 spoke about the website design ; Day 3 showed a cool video ; Day 4 listed our preferred skins ; Day 5 showed of a photo of the team at the FOSDEM ; Day 6 (one day late) showed a selection of extensions . Please join the celebration! New website design 2011-02-02 As you might have seen, we've change the design of the main website . The website design was done by Argon and this project was sponsored by netzwelt.de . VLC 1.1.7 2011-02-01 VideoLAN and the VLC development team present VLC 1.1.7, a small security update on 1.1.6. Small new features, many bugfixes, updated translations and security issues were making the 1.1.6 release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.6. Source was available yesterday; binaries for Windows and Mac OS X are now available. 10 years of open source for VideoLAN 2011-02-01 The VideoLAN project and organization are proud to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software, that happened exactly 10 years ago. To celebrate, small infos, stories and goodies will be posted in the next ten days on this site . Day 1 speaks about the early history of the project Please join the celebration! VLC 1.1.6 2011-01-23 VideoLAN and the VLC development team are proud to present VLC 1.1.6, the sixth bugfix release of the VLC 1.1.x branch. Small new features, many bugfixes, updated translations and security issues are making this release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information. NB: The first versions for Intel-based Macs (64bit and Universal Binary) included a rtsp streaming bug, which also hindered access to the Freebox. Please re-download. End of support for VLC 1.0 series 2011-01-22 The VideoLAN team ceases all form of support for VLC media player versions 1.0.x. Focusing maintenance efforts on the current VLC 1.1 versions, and further development on the upcoming VLC 1.2 series, the VideoLAN team will not deliver any further update for VLC versions 1.0.x (last release was 1.0.6), and VLC 0.9.x (last release was 0.9.10). VLC 1.1.6 will be released shortly. This release will introdu
2026-01-13T09:30:36
https://zh-cn.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2uSBdmSz78opCzfXRk8sDp5Tx_pJMYcUHvdh_Y1uwRbLIwU8PDPteD4TlH6Y7RUae6xxhyDls2F2tUQWOAP5Y3mFMh-4xbeg9gl6BNTLLEIylaoA95kpo_i5MI9EnkYxlCmuGHOuAB2WxG9xeTFw
Facebook Facebook 邮箱或手机号 密码 忘记账户了? 创建新账户 你暂时被禁止使用此功能 你暂时被禁止使用此功能 似乎你过度使用了此功能,因此暂时被阻止,不能继续使用。 Back 中文(简体) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 日本語 Português (Brasil) Français (France) Deutsch 注册 登录 Messenger Facebook Lite 视频 Meta Pay Meta 商店 Meta Quest Ray-Ban Meta Meta AI Meta AI 更多内容 Instagram Threads 选民信息中心 隐私政策 隐私中心 关于 创建广告 创建公共主页 开发者 招聘信息 Cookie Ad Choices 条款 帮助 联系人上传和非用户 设置 动态记录 Meta © 2026
2026-01-13T09:30:36
https://www.facebook.com/hcaptcha
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:36
https://www.hcaptcha.com/pro.html
Professional Plan Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In Say Hello to Pro Stop bots with less user friction. From $99/mo. Start your Free Trial Pro docs → example-username ⬤⬤⬤⬤⬤⬤⬤⬤⬤ Bot Mitigation with Less Friction 99.9% Passive Mode is bot detection on autopilot. Maintain high protection with fewer challenges, and make your customers happy too. hCaptcha Pro dynamically adjusts difficulty from No-CAPTCHA up to visual challenges as needed, providing a low friction experience and maximizing your conversion and engagement. Simple to use Just click on "Enable Pro Mode" to get started. A System that Keeps on Learning hCaptcha Pro detects new and evolving threats in real time. Our leading edge ML learns your traffic patterns, letting the system optimize security without harming efficacy. Designs That Fit Your Brand Match your brand colors with total control over challenge styles. Explore Themes Get started with hCaptcha Pro Enhance your security with a great user experience today. Start your Free Trial Pro FAQ How does hCaptcha Pro differ from hCaptcha Free? hCaptcha Pro offers features like a low friction self-optimizing challenge mode, custom themes, and more. hCaptcha Free is a classic CAPTCHA experience, in which most users will generally be shown a challenge. How does hCaptcha Pro differ from hCaptcha Enterprise? hCaptcha Enterprise is a complete anti-abuse and bot mitigation platform. It is used by many of the largest online services to protect their users from fraud and abuse of all kinds, both human and automated. Features unique to hCaptcha Enterprise include passive (No-CAPTCHA) modes, risk scores, custom threat models, rich analytics and tagging interfaces, role-based access controls, SAML SSO, strong SLAs, and much more. When should I choose hCaptcha Pro vs. hCaptcha Enterprise? hCaptcha Pro is the right choice when you want a simple tool that you can enable in minutes, letting our system manage configuration. hCaptcha Enterprise is the right choice when you need not just low friction but sophisticated defenses against account takeovers, advanced persistent threats, API integration, and more. If your hCaptcha volume is greater than one million evaluations per month then hCaptcha Enterprise can also be more cost-effective, as committed volume discounts are available. How is hCaptcha Pro billed? hCaptcha Pro is billed either annually or monthly for the base subscription, which includes 100,000 evaluations per month. Additional evaluations are billed at $0.99 per 1000 requests, which will be charged to your credit card periodically once the 100,000 evaluation capacity quota is consumed. The monthly price with an annual subscription discount is $99, or $139 if paid month-to-month. Annual Billing Example: if your total usage in a given month is 115,000 requests and you have selected annual billing, you will see a single charge for the annual-billed amount when you sign up, and an overage charge for $14.85 in the month you consumed more than 100,000 requests. Monthly Billing Example: if your total usage in a given month is 115,000 requests and you have selected monthly billing, you will see a charge for the monthly-billed amount when you sign up and on each subsequent month, and an overage charge for $14.85 in the month you consumed more than 100,000 requests. See hCaptcha Enterprise in Action Get a demo or start a pilot today. Get Started Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Us Contact Sales Contact Support Company Jobs AI Ethics Compliance About Trademarks Press Resources Documentation Accessibility Status Report a Bug Cyberattacks 101 Contact Support Contact Support Sales Contact Sales Blog Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:36
https://bizarro.dev.to/t/gemini/page/18#main-content
Google Gemini Page 18 - ALTERNATE UNIVERSE DEV Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account ALTERNATE UNIVERSE DEV Close Google Gemini Follow Hide Create Post Older #gemini posts 15 16 17 18 19 20 21 22 23 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV ALTERNATE UNIVERSE DEV — A constructive and inclusive social network for software developers. With you every step of your journey. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . ALTERNATE UNIVERSE DEV © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T09:30:36
https://alive2.llvm.org/#load-history
Compiler Explorer Add... Source Editor Diff View More Settings Reset UI layout Reset code and UI layout Open new tab History Thanks for using Compiler Explorer × Sponsors Share Other Become a Patron Sponsor on GitHub Donate via PayPal Source on GitHub Mailing list Installed libraries Wiki Report an issue How it works Contact the author About the author Changelog Version tree Short Short Full   Embedded  Save/Load  Add new... Compiler Execution only Conformance view Source editor   Vim  CppInsights  Quick-bench Popular arguments  Output... Compile to binary Run the compiled output Intel asm syntax Demangle identifiers  Filter... Unused labels Library functions Directives Comments Horizontal whitespace  Libraries  Add new... Clone compiler Optimization output AST output IR output GCC Tree/RTL output Graph output  Add tool...  Output  ( 0 / 0 )  Libraries  Compilation  Arguments  Stdin  Compiler output Wrap lines Wrap lines  Arguments  Stdin Left:  Right:  Tree pass RTL pass Nav Physics  Add compiler  Libraries No libs configured for this language yet. You can suggest us one at any time  Load and save editor text × Examples Browser-local storage Browser-local history File system Load from examples: Load from browser-local storage: Save to browser-local storage Load from browser-local history: Load/save to your system Load from a local file Save to file Close Something alert worthy × Close Well, do you or not? × No Yes Compiler Explorer Settings × These settings control how Compiler Explorer acts for you. They are not preserved as part of shared URLs, and are persisted locally using browser local storage. Site behaviour Default language  Allow my source code to be temporarily stored for diagnostic purposes in the event of an error Theme  Use last selected language when opening new Editors Show community events Keybindings Vim Editor Desired Font Family in editors Enable font ligatures Automatically insert matching brackets and parentheses Automatically indent code (reload page after changing) Highlight linked code lines on hover Show asm description on hover Show quick suggestions Use custom context menu Show editor minimap Keep editor source on language change Use spaces for indentation  Tab width  Format based on  Make Ctrl + S  save to local file instead of creating a share link Enable Word Wrapping Compilation Compile automatically when source changes Delay before compiling:  0.25s   3s Colourise lines to show how the source maps to the output Colour scheme  Close  Read the new cookie policy Compiler Explorer uses cookies and other related techs to serve you  Consent  Don't consent Share embedded × Read Only Hide Editor Toolbars History × History Diff   Inline diff Close
2026-01-13T09:30:36
http://www.videolan.org/news.html#news-2021-05-10
News - VideoLAN * { behavior: url("/style/box-sizing.htc"); } Toggle navigation VideoLAN Team & Organization Consulting Services & Partners Events Legal Press center Contact us VLC Download Features Customize Get Goodies Projects DVBlast x264 x262 x265 multicat dav1d VLC Skin Editor VLC media player libVLC libdvdcss libdvdnav libdvdread libbluray libdvbpsi libaacs libdvbcsa biTStream vlc-unity All Projects Contribute Getting started Donate Report a bug Support donate donate Donate donate donate VideoLAN, a project and a non-profit organization. News archive VLC 3.0.23 2026-01-08 VideoLAN and the VLC team are publishing the 3.0.23 release of VLC today, which is the 24th update to VLC's 3.0 branch: it updates codecs, adds a dark mode option on Windows and Linux, support for Windows ARM64 and improves support for Windows XP SP3. This is the largest bug fix release ever with a large number of stability and security improvements to demuxers (reported by rub.de, oss-fuzz and others) and updates to most third party libraries. Additional details on the release page . The security impact of this release is detailed here . The major maintenance effort of this release to strengthen VLC's overall stability as well as the compatibility with old releases of Windows and macOS was made possible by a generous sponsorship of the Sovereign Tech Fund by Germany's Federal Ministry for Digital Transformation and Government Modernisation. VLC for iOS, iPadOS and tvOS 3.7.0 2026-01-08 Alongside the 3.0.23 release for desktop, VideoLAN and the VLC team are publishing a larger update for Apple's mobile platforms to include the latest improvements of VLC's 3.0 branch plus important bug fixes and amendments for the 26 versions of the OS. Previously, we added pCloud as a European choice for cloud storage allowing direct streaming and downloads within the app. New releases for biTStream, DVBlast and multicat 2025-12-01 We are pleased to release versions 1.6 of biTStream , 3.5 of DVBlast and 2.4 of multicat . DVBlast and multicat had major improvements and new features. New releases for libdvdcss, libdvdread and libdvdnav 2025-11-09 New releases of libdvdread , libdvdnav and libdvdcss have been published today. The biggest features of those releases (libdvdread/nav 7 and libdvdcss 1.5) are related to DVD-Audio support, including DRM decryption. VLC for Android 3.6.0 2025-01-13 We are pleased to release version 3.6.0 of the VLC version for the Android platform. It comes with the new Remote Access feature, a parental control and a lot of fixes. See our Android page . VLC 3.0.21 2024-06-10 VideoLAN and the VLC team are publishing the 3.0.21 release of VLC today, which is the 22nd update to VLC's 3.0 branch: it updates codecs, adds Super Resolution and VQ Enhancement filtering with AMD GPUs, NVIDIA TrueHDR to generate a HDR representation from SDR sources with NVIDIA GPUs and improves playback of numerous formats including improved subtitles rendering notably on macOS with Asian languages. Additional details on the release page . This release also fixes a security issue, which is detailed here . VLC for iOS, iPadOS and Apple TV 3.5.0 2024-02-16 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding playback history, A to B playback, Siri integration, support for external subtitles and audio tracks, a way to favorite folders on local network servers, improved CarPlay integration and many small improvements. VLC 3.0.20 2023-11-02 Today, VideoLAN is publishing the 3.0.20 release of VLC, which is a medium update to VLC's 3.0 branch: it updates codecs, fixes a FLAC quality issue and improves playback of numerous formats including improved subtitles rendering. It also fixes a freeze when using frame-by-frame actions. On macOS, audio layout problems are resolved. Finally, we update the user interface translations and add support for more. Additional details on the release page . This release also fixes two security issues, which are detailed here and there . VLC for iOS, iPadOS and Apple TV 3.4.0 2023-05-03 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new audio playback interface, CarPlay integration, various improvements to the local media library and iterations to existing features such as WiFi Sharing. Notably, we also added maintenance improvements to the port to tvOS including support for the Apple Remote's single click mode. See the press release for details. VLC 3.0.18 2022-11-29 Today, VideoLAN is publishing the 3.0.18 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . This release also fixes multiple security issues, which are detailed here . VideoLAN supports the UNHCR 2022-10-24 VideoLAN is a de-facto pacifist organization and cares about cross-countries cooperations, and believes in the power of knowledge and sharing. War goes against those ideals. As a response Russia's invasion of Ukraine, we decided to financially support the United Nations High Commissioner for Refugees and their work on aiding and protecting forcibly displaced people and communities, in the places where they are necessary. See our press statement . VLC for Android 3.5.0 2022-07-20 VideoLAN is proud to release the new major version of VLC for Android. It comes with new widgets, network media indexation, a better tablet and foldable support, design improvements in the audio screen, improved accessibility and performance improvements. VLC 3.0.17 2022-04-19 Today, VideoLAN is publishing the 3.0.17 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . VLC for iOS, iPadOS and tvOS 3.3.0 2022-03-21 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new video playback interface, support for NFS and SFTP network shares and major improvements to the media handling especially for audio. See the press release . libbluray releases 2022-03-06 libbluray and related libraries, libaacs and libbdplus, have new releases, focused on maintenance, minor improvements, and notably new OSes and new java versions compatibility. See libbluray , libaacs and libbdplus pages. VLC and log4j 2021-12-15 Since its very early days in 1996, VideoLAN software is written in programming languages of the C family (mostly plain C with additions in C++ and Objective-C) with the notable exception of its port to Android, which was started in Java and recently transitioned to Kotlin. VLC does not use the log4j library on any platform and is therefore unaffected by any related security implications. VLC for Android 3.4.0 2021-09-20 We are pleased to release version 3.4.0 of the VLC version for the Android platforms. Still based on libVLC 3, it revamps the Audio Player and the Auto support, it adds bookmarks in each media, simplifies the permissions and improves video grouping. See our Android page . VLC 3.0.16 2021-06-21 Today, VideoLAN is publishing the 3.0.16 release of VLC, which fixes delays when seeking on Windows, opening DVD folders with non-ASCII character names, fixes HTTPS support on Windows XP, addresses audio drop-outs on seek with specific MP4 content and improves subtitles renderering. It also adds support for the TouchBar on macOS. More details on the release page . VLC 3.0.14, auto update issues and explanations 2021-05-11 VLC users on Windows might encounter issues when trying to auto update VLC from version 3.0.12 and 3.0.13. Find more details here . We are publishing version 3.0.14 to address this problem for future updates. VLC 3.0.13 2021-05-10 VideoLAN is now publishing 3.0.13 release, which improves the network shares and adaptive streaming support, fixes some MP4 audio regressions, fixes some crashes on Windows and macOS and fixes security issues. More details on the release page . libbluray 1.3.0 2021-04-05 A new release of libbluray was pushed today, adding new APIs, to improve the control of the library, improve platforms support, and fix some bugs. See our libbluray page. VideoLAN is 20 years old today! 2021-02-01 20 years ago today, VideoLAN moved from a closed-source student project to the GNU GPL, thanks to the authorization of the École Centrale Paris director at that time. VLC has grown a lot since, thanks to 1000 volunteers! Read our press release! . VLC for Android 3.3.4 2021-01-21 VideoLAN is now publishing the VLC for Android 3.3.4 release which focuses on improving the Chromecast support. Since the 3.3.0 release, a lot of improvements have been made for Android TV, SMB support, RTL support, subtitles picking and stability. . VLC 3.0.12 2021-01-18 VideoLAN is now publishing 3.0.12 release, which adds support for Apple Silicon, improves Bluray, DASH and RIST support. It fixes some audio issues on macOS, some crashes on Windows and fixes security issues. More details on the release page . libbluray 1.2.1 2020-10-23 A minor release of libbluray was pushed today, focused on fixing bugs and improving the support for UHD Blurays. More details on the libbluray page. VLC for Android 3.3 2020-09-23 VideoLAN is proud to release the new major version of VLC for Android. A complete design rework has been done. The navigation is now at the bottom for a better experience. The Video player has also been completely revamped for a more modern look. The video grouping has been improved and lets you create custom groups. You can also easily share your media with your friends. The settings have been simplified and a lot of bugs have been fixed. VLC 3.0.11.1 2020-07-29 Today, VideoLAN is publishing the VLC 3.0.11.1 release for macOS, which notably solves an audio rendering regression introduced in the last update specific to that platform. Additionally, it improves playback of HLS streams, WebVTT subtitles and UPnP discovery. VLC 3.0.11 2020-06-16 VideoLAN is now publishing the VLC 3.0.11 release, which improves HLS playback and seeking certain m4a files as well as AAC playback. Additionally, this solves an audio rendering regression on macOS when pausing playback and adds further bug fixes. Additionally, a security issue was resolved. More information available on the release page . VLC 3.0.10 2020-04-28 VideoLAN is now publishing the VLC 3.0.10 release, which improves DVD, macOS Catalina, adaptive streaming, SMB and AV1 support, and fixes some important security issues. More information available on the release page . We are also releasing new versions for iOS (3.2.8) and Android 3.2.11 for the same security issues. VLC for iOS and tvOS releases 2020-03-31 VideoLAN is publishing updates to VLC on iOS and tvOS, to fix numerous small issues, add passcode protection on the web sharing, and improve the quick actions and the stability of the application. VLC for iOS 3.2.5 release 2019-12-03 VideoLAN is publishing updates to VLC on iOS, to improve support for iOS9 compatibility and add new quick actions and improves the collection handling. libdvdread and libdvdnav releases 2019-10-13 We are publishing today libdvdnav and libdvdread minor releases to fix minor crashes and improving the support for difficult discs. See libdvread page for more information . VLC for iOS 3.2.0 release 2019-09-14 VideoLAN is finally publishing its new major version of iOS, numbered 3.2.0. This update starts the changes for the new interface that will drive the development for the next year. It should give the correct building blocks for the future of the iOS app. VLC 3.0.8 2019-08-19 VideoLAN is now publishing the VLC 3.0.8 release, which improves adaptive streaming support, audio output on macOS, VTT subtitles rendering, and also fixes a dozen of security issues. More information available on the release page . VLC 3.0.7 2019-06-07 After 100 millions downloads of 3.0.6, VideoLAN is releasing today the VLC 3.0.7 release, focusing on numerous security fixes, improving HDR support on Windows, and Blu-ray menu support. VideoLAN would like to thank the EU-FOSSA project from the European Commission, who funded this initiative. More information available on the release page . VLC for Android 3.1 2019-04-08 VideoLAN is happy to present the new major version of VLC for Android platforms. Featuring AV1 decoding with dav1d, Android Auto, Launcher Shortcuts, Oreo/Pie integration, Video Groups, SMBv2, and OTG drive support, but also improvements on Cast, Chromebooks and managing the audio/video libraries, this is a quite large update. libbluray 1.1.0 2019-02-12 VideoLAN is releasing a new major version of libbluray: 1.1.0. It adds support for UHD menus (experimental) , for more recents of Java, and improves vastly BD-J menus. This release fixes numerous small issues reported. libdvdread 6.0.1 2019-02-05 VideoLAN is releasing a new minor version of libdvdread, numbered 6.0.1, fixing minor DVD issues. See libdvdread page for more info. VLC reaches 3 billion downloads 2019-01-12 VideoLAN is very happy to announce that VLC crossed the 3 billion downloads on our website: VLC statistics . Please note that this number is under-estimating the number of downloads of VLC. VLC 3.0.6 2019-01-10 VideoLAN is now publishing the VLC 3.0.6 release, which fixes an important regression that appeared on 3.0.5 for DVD subtitles. It also adds support for HDR in AV1. VLC 3.0.5 2018-12-27 VideoLAN is now publishing the VLC 3.0.5 release, a new minor release of the 3.0 branch. This release notably improves the macOS mojave support, adds a new AV1 decoder and fixes numerous issues with hardware acceleration on Windows. More information available here . VLC 3.0.4 2018-08-31 VideoLAN is publishing the VLC 3.0.4 release, a new minor release of the 3.0 branch. This release notably improves the video outputs on most OSes, supports AV1 codec, and fixes numerous small issues on all OSes and Platforms. More information available here . Update for all Windows versions is strongly advised. VLC 3.0.13 for Android 2018-07-31 VideoLAN is publishing today, VLC 3.0.13 on Android and Android TV. This release fixes numerous issues from the 3.0.x branch and improves stability. VLC 3.1.0 for WinRT and iOS 2018-07-20 VideoLAN is publishing today, VLC 3.1.0 on iOS and on Windows App (WinRT) platforms. This release brings hardware encoding and ChromeCast on those 2 mobile platforms. It also updates the libvlc to 3.0.3 in those platforms. VLC 3.0.3 2018-05-29 VideoLAN is publishing the VLC 3.0.3 release, a new minor release of 3.0. This release is fixing numerous crashes and regressions from VLC 3.0.0, "Vetinari", and it fixes some security issues. More information available here . Update for everyone is advised for this release. VLC 3.0.2 2018-04-23 VideoLAN is publishing the VLC 3.0.2 release, for general availability. This release is fixing most of the important bugs and regressions from VLC 3.0.0, "Vetinari", and improves decoding speed on macOS. More than 150 bugs were fixed since the 3.0.0 release. More information available here . VLC 3.0.1 2018-02-28 VideoLAN and the VLC development team are releasing VLC 3.0.1, the first bugfix release of the "Vetinari" branch, for Linux, Windows and macOS. This version improves the chromecast support, hardware decoding, adaptive streaming, and fixes many bugs or crashes encountered in the 3.0.0 version. In total more than 30 issues have been fixed, on all platforms. More information available here . VLC 3.0.0 2018-02-09 VideoLAN and the VLC development team are releasing VLC 3.0.0 "Vetinari" for Linux, Windows, OS X, BSD, Android, iOS, UWP and Windows Phone today! This is the first major release in three years. It activates hardware decoding by default to get 4K and 8K playback, supports 10bits and HDR playback, 360° video and 3D audio, audio passthrough for HD audio codecs, streaming to Chromecast devices (even in formats not supported natively), playback of Blu-Ray Java menus and adds browsing of local network drives. More info on our release page . VLC 2.2.8 2017-12-05 VideoLAN and the VLC development team are happy to publish version 2.2.8 of VLC media player today. This release fixes a security issue in the AVI demuxer. Additionally, it includes the following fixes, which are part of 2.2.7: This release fixes compatibility with macOS High Sierra and fixes SSA subtitles rendering on macOS. This release also fixes a few security issues, in the flac and the libavcodec modules (heap write overflow), in the avi module and a few crashes. For macOS users, please note: A bug was fixed in VLC 2.2.7 concerning the update mechanism on macOS. In rare circumstances, an auto-update from older versions of VLC to VLC 2.2.8 might not be possible. Please download the update manually from our website in this case. VideoLAN joins the Alliance for Open Media 2017-05-16 The VideoLAN non-profit organization is joining the Alliance for Open Media , to help developing open and royalty-free codecs and other video technologies! More information in our press release: VideoLAN joins Alliance for Open Media . VLC 2.2.5.1 2017-05-12 VideoLAN and the VLC development team are happy to publish version 2.2.5.1 of VLC media player today This fifth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.4, notably video rendering issues on AMD graphics card as well as audio distortion on macOS and 64bit Windows for certain audio files. It also includes updated codecs libraries and improves overall security. Read more about it on our release page . Press release: Wikileaks revelations about VLC 2017-03-09 Following the recent revelations from Wikileaks about the use of VLC by the CIA, you can download the official statement from the VideoLAN organization here . VLC for Android 2.1 beta 2017-02-24 VideoLAN and the VLC development team are happy to publish beta version 2.1 of VLC for Android today It brings 360° video & faster audio codecs passthru support, performances improvements, Android auto integration and a refreshed UX. See all new features and get it VLC for Android 2.0.0 2016-06-21 VideoLAN and the VLC development team are happy to publish version 2.0 of VLC for Android today It supports network shares browsing and playback, video playlists, downloading subtitles, pop-up video view and multiwindows, the new releases of the Android operating system, and merged Android TV and Android packages. Get it now! and give us your feedback. VLC 2.2.4 2016-06-05 VideoLAN and the VLC development team are happy to publish version 2.2.4 of VLC media player today This fourth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.3 for Windows XP and certain audio files. It also includes updated codecs libraries and fixes a security issue when playing specifically crafted QuickTime files as well as a 3rd party security issue in libmad. Read more about it on our release page . VideoLAN servers under maintenance 2016-05-19 Due to unscheduled maintenance on one of our servers, some git repositories , the trac bug tracker and mailing-lists are currently not available. We are restoring the services, but we can't give detailed information when everything will be back online. Note that downloads from this website, git repositories on code.videolan.org , the wiki and the forum are not affected. Important: Any communication send to email addresses on the videolan.org domain (aka yourdude@videolan.org) won't reach the receiver. VLC 2.2.3 2016-05-03 VideoLAN and the VLC development team are happy to publish version 2.2.3 of VLC media player today This third stable release of the "WeatherWax" version of VLC fixes more than 30 important bugs reported on VLC 2.2.2. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Read more about it on our release page . VideoLAN Dev Days 2016 part of QtCon 2016-02-18 2016 is a special year for many FLOSS projects: VideoLAN as open-source project and Free Software Foundation Europe both have their 15th birthday while KDE has its 20th birthday. All these call for celebrations! This year VideoLAN has come together with Qt , FSFE , KDE and KDAB to bring you QtCon , where attendees can meet, collaborate and get the latest news of all these projects. VideoLAN Dev Days 2016 will be organised as part of QtCon in Berlin. The event will start on Friday the 2nd of September with 3 shared days of talks, workshops, meetups and coding sessions. The current plan is to have a Call for Papers in March with the Program announced in early June. VLC 2.2.2 2016-02-06 VideoLAN and the VLC development team are happy to publish version 2.2.2 of VLC media player today This second stable release of the "WeatherWax" version of VLC fixes more than 100 important bugs and security issues reported on VLC 2.2.1. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Finally, this update solves installation issues on Mac OS X 10.11 El Capitan. Read more about it on our release page . 15 years of GPL 2016-02-01 VideoLAN is happy to celebrate with you the 15th anniversary of the birth of VideoLAN and VLC as open source projects! Announcing VLC for Apple TV 2016-01-12 VideoLAN and the VLC team is excited to announce the first release of VLC for Apple TV. It allows you to get access to all your files and video streams in their native formats without conversions, directly on the new Apple device and your TV. You can find details in our press release . libdvdcss 1.4.0 2015-12-24 VideoLAN is proud to announce the release of version 1.4.0 of libdvdcss . This release adds support for network callbacks, to play ISOs over the network, Android support, and cleans the codebase. VLC for iOS 2.7.0 2015-12-22 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds full support for iOS 9 including split screen and iPad Pro, for Windows shares (SMB), watchOS 2, a new subtitles engine, right-to-left interfaces, system-wide search (spotlight), Touch ID protection, and more. It will be available on the App Store shortly. VLC for ChromeOS 2015-12-17 VideoLAN and the Android teams are happy to announce the port of VLC to the ChromeOS operating system. This is the port of the Android version to ChromeOS, using the Android Runtime on Chrome. You can download it now! . VLC for Android 1.7.0 2015-12-01 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.7.0. This release includes a large refactoring that gives a new playlist, new notifications, a new subtitles engine, and uses less permissions. Get it now! . VLC for Android 1.6.0 2015-10-09 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.6.0. Ported to Android 6.0, this release should provide an important performance boost for decoding and the interface. Get it now! . DVBlast 3.0, multicat 2.1, bitstream 1.1 2015-10-07 VideoLAN and the DVBlast teams are happy to present the simultaneous release of DVBlast 3.0, bitstream 1.1 and multicat 2.1! DVBlast and multicat are now ported to OSX and DVBlast 3.0 is a major rewrite with new features like PID/SID remapping and stream monitoring. DVBlast , bitstream and multicat . libbluray 0.9.0 2015-10-04 VideoLAN and the libbluray team are releasing today libbluray 0.9.0. Adding numerous features, notably to better support BD-J menus and embedded subtitles files, it also fixes a few important issues, like font-caching. See more on libbluray page VLC for iOS 2.6.0 2015-06-30 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds support for Apple Watch to remote control and browse the library on iPhone, a mini player and large number of improvements through-out the app. It will be available on the App Store shortly. libbluray 0.8.0, libaacs 0.8.1 released 2015-04-30 The 2 VideoLAN Blu-Ray libraries have been released: libbluray 0.8.0 , libaacs 0.8.1 . These releases add support for ISO files, BD-J JSM and virtual devices. VLC 2.2.1 2015-04-16 VideoLAN and the VLC development team are releasing today VLC 2.2.1, named "Terry Pratchett". This first stable release of the "WeatherWax" version of VLC fixes most of the important bugs reported of VLC 2.2.0. VLC 2.2.0, a major version of VLC, introduced accelerated auto-rotation of videos, 0-copy hardware acceleration, support for UHD codecs, playback resume, integrated extensions and more than 1000 bugs and improvements. 2.2.0 release was the first release to have versions for all operating systems, including mobiles (iOS, Android, WinRT). More info on our release page VLC for Android 1.2.1, for WinRT & Windows Phone 1.2.1 and for iOS 2.5.0 2015-03-27 VideoLAN and the VLC development team are happy to release updates for all three mobile platforms today. VLC for Android received support for audio playlists, improved audio quality, improvements to the material design interface, including the black theme and switch to audio mode. Further, it is a major update for Android TV adding support for media discovery via UPnP, with improvements for recommendations and gamepads. VLC for Windows Phone and WinRT received partial hardware accelerated decoding allowing playback of HD contents of certain formats as well as further iterations on the user interface. For VLC for iOS, we focused on improved cloud integration adding support for iCloud Drive, OneDrive and Box.com, a 10-band equalizer as well as sharing of the media library on the local network alongside an improved playback experience. All updates will be available on the respective stores later today. We hope that you like them as much as we do. VLC 2.2.0 2015-02-27 VideoLAN and the VLC development team are releasing VLC 2.2.0 for most OSes. We're releasing the desktop version for Linux, Windows, OS X, BSD, and at the same time, Android, iOS, Windows RT and Windows Phone versions. More info on our release page and press release . libbluray 0.7.0, libaacs 0.8.0 and libbdplus 0.1.2 released 2015-01-27 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.7.0 , libaacs 0.8.0 and libbdplus 0.1.2 library. Those releases notably improves BD-J support, fonts support and file-system access. VLC for Android 0.9.9 2014-09-05 VideoLAN and the VLC development team are happy to present a new release for Android. This focuses on fixing crashes, better decoding and update of translations. More info in the release notes and download page . VLC 2.1.5 2014-07-26 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. This fixes a few bugs and security issues in third-party libraries, like GnuTLS and libpng. More info on our release page libbluray, libaacs and libbdplus release 2014-07-13 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.6.0 , libaacs 0.7.1 and libbdplus 0.1.1 library. Those releases notably add correct support for BD-J , the Java interactivity layer of Blu-Ray Discs. VLC for Android 0.9.7 2014-07-06 VideoLAN and the VLC development team are happy to present a new release for Android today. It improves a lot DVD menus and navigation, adds compatibility with Android L, fixes a few UI crashes and updates the translations. More info in the release notes . VLC for Android 0.9.5 2014-06-13 VideoLAN and the VLC development team are happy to present a new release for Android today. It adds support for DVD menus, a new VLC icon, tutorials and numerous fixes for crashes. More info in the release notes . VLC for iOS 2.3.0 2014-04-18 VideoLAN and the VLC development team are happy to present a new release for iOS today. It adds support for folders to group media, more options to customize playback, improved network interaction in various regards, many small but noticeable improvements as well as 3 new translations. More info in the release notes . VideoLAN announces distributed codec and conecoins! 2014-04-01 VideoLAN and the VLC development team are happy to present their new distributed codec, named CloudCodet ! To help smartphones users, this codec allows powerful computers to decode for other devices and the CPU-sharers will mine some conecoin , a new cone-shaped crypto-currency, in reward. More info on our press page VLC 2.1.4 and 2.0.10 2014-02-21 VideoLAN and the VLC development team are happy to present two updates for Mac OS X today. Version 2.1.4 solves an important DVD playback regression, while 2.0.10 accumulates a number of small improvements and bugfixes for older Macs based on PowerPC or 32-bit Intel CPUs running OS X 10.5. VLC 2.1.3 2014-02-04 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. Fixing multiple bugs and regressions introduced in 2.1.0, 2.1.1 and 2.1.2, notably on audio and video outputs, decoders and demuxers More info on our release page libbluray, libaacs and libbdplus release 2013-12-24 Several Blu-Ray related libraries have been released: libbluray 0.5.0 , libaacs 0.7.0 and the new libbdplus library. VLC 2.1.2 2013-12-10 VideoLAN and the VLC development team are proud to present the second minor version of the VLC 2.1.x branch. Fixing many bugs and regressions introduced in 2.1.0, notably on audio device management and SPDIF/HDMI pass-thru. More info on our release page VLC 2.1.1 2013-11-14 VideoLAN and the VLC development team are proud to present the first minor version of the VLC 2.1.x branch. Fixing a numerous number of bugs and regressions introduced in 2.1.0, it also adds experimental HEVC and VP9 decoding and improves VLC installer on Windows. More info on our release page VLC 2.0.9 2013-11-05 VideoLAN and the VLC development team are glad to present a new minor version of the VLC 2.0.x branch. Mostly focused on fixing a few important bugs and security issues, this version is mostly needed for Mac OS X, notably for PowerPC and Intel32 platforms that cannot upgrade to 2.1.0. VLC 2.1.0 2013-09-26 VideoLAN and the VLC development team are glad to present the new major version of VLC, 2.1.0, named Rincewind With a new audio core, hardware decoding and encoding, port to mobile platforms, preparation for Ultra-HD video and a special care to support more formats, 2.1 is a major upgrade for VLC. Rincewind has a new rendering pipeline for audio, with better effiency, volume and device management, to improve VLC audio support. It supports many new devices inputs, formats, metadata and improves most of the current ones, preparing for the next-gen codecs. More info on our release page . VLC for iOS version 2.1 2013-09-06 VideoLAN and the VLC for iOS development team are happy to present version 2.1 of VLC for iOS, a first major update to this new port adding support for subtitles in non-western languages, basic UPNP discovery and streaming, FTP server discovery, streaming and downloading, playback of audio-only media, a newly implemented menu and application flow as well as various stability improvements, minor enhancements and additional translations. VLC 2.0.8 and 2.1.0-pre2 2013-07-29 VideoLAN and the VLC development team are happy to present VLC 2.0.8, a security update to the "Twoflower" family, and VLC 2.1.0-pre2, the second pre-version of VLC 2.1.0. You can find info about 2.0.8 in the release notes . VLC 2.1.0-pre2 is a test version of the next major version of VLC, named "Rincewind", intended for advanced users. If you're brave, you can try it now! NB: The first binaries of 2.0.8 for Win32 and Mac were broken. Please re-download them. VLC 2.0.7 2013-06-10 VideoLAN and the VLC development team are happy to present the eighth version of "Twoflower", a minor update that improves the overall stability. Notable changes include fixes for audio decoding, audio encoding, small security issues, regressions, fixes for PowerPC, Mac OS X and new translations. More info in the release notes . VLC 2.0.6 2013-04-11 VideoLAN and the VLC development team are happy to present the seventh version of "Twoflower", a minor update that improves the overall stability. Notable changes include support for Matroska v4, improved reliability for ASF, Ogg, ASF and srt support, fixed GPU decoding on Windows on Intel GPU, fixed ALAC and FLAC decoding, and a new compiler for Windows release. More info in the release notes . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VLC fundraiser for Windows 8, RT and Phone ended 2012-12-29 Today, the fundraising campaign for for Windows 8, RT and Phone run by some VideoLAN team members ended. Their goal was successfully reached and they announced to start working on the new ports right away. Find out more . VLC 2.0.5 2012-12-15 VideoLAN and the VLC development team are happy to present the sixth version of "Twoflower", a minor update that improves the overall stability. Notable changes include improved reliability for MKV file playback, fixed MPEG2 audio and video encoding, pulseaudio synchronization, Mac OS interface, and other fixes. It also resolves potential security issues in HTML subtitle parser, freetype renderer, AIFF demuxer and SWF demuxer. More info in the release notes . We would like to remind our users that some VideoLAN team members are trying to raise money for VLC for Windows Metro on Kickstarter . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VideoLAN Security Advisory 1203 2012-11-02 VLC media player versions 2.0.3 and older suffer from a critical buffer overflow vulnerability. Refer to our advisory for technical details. A fix for this issue is already available in VLC 2.0.4. We strongly recommend all users to update to this new version. VLC 2.0.4 2012-10-18 VideoLAN and the VLC development team present the fifth version of "Twoflower", a major update that fixes a lot of regressions, issues and security issues in this branch. It introduces Opus support, improves Youtube, Vimeo streams and Blu-Ray dics support. It also fixes many issues in playback, notably on Ogg and MKV playback and audio device selections and a hundred of other bugs. More info in the release notes . Updated 2.0.3 builds for Mac OS X 2012-08-01 A small number of users on specific setups experienced audio issues with the latest version of VLC media player for Mac OS X. If you are affected, please download VLC again and replace the existing installation. If you're not, there is nothing to do. VideoLAN at FISL 2012-07-19 Next week, we will give two talks about VideoLAN and VLC media player at the 13° Fórum Internacional Software Livre in Porto Alegre, Brazil. This is the first time VideoLAN members attend a conference in South America. We are looking forward to it and hope to see you around. VLC 2.0.3 2012-07-19 VideoLAN and the VLC development are proud to present a minor update adding support for OS X Mountain Lion as well as improving VLC's overall stability on OS X. Additionally, this version includes updates for 18 translations and adds support for Uzbek and Marathi. For MS Windows, you can update manually if you need the translation updates. VLC 2.0.2 2012-07-01 After more than 100 million downloads of VLC 2.0 versions, VideoLAN and the VLC development team present the third version of "Twoflower", a major update that fixes a lot of regressions in this branch. It introduces an important number of features for the Mac OS X platform, notably interface improvements to be on-par with the classic VLC interface, better performance and Retina Display support. VLC 2.0.2 fixes the video playback on older devices both on MS Windows and Mac OS X, includes overall performance improvements and fixes for a couple of hundreds of bugs. More info in the release notes . World IPv6 Launch 2012-06-04 The VideoLAN organization is taking part in the World IPv6 launch on June 6. All services including the website, the forums, the bugtracker and the git server are now accessible via IPv6. VideoLAN at LinuxTag 2012-05-21 We will presenting VLC and other VideoLAN projects at LinuxTag in Berlin this week (booth #167, hall 7.2a). Come around and have a look at our latest developments! Of course, we will also be present during LinuxNacht, in case that you prefer to share a beer with us. 1 billion thank you! 2012-05-09 VideoLAN would like to thank VLC users 1 billion times, since VLC has now been downloaded more than 1 billion times from our servers, since 2005! Get the numbers ! VLC 2.0.1 2012-03-19 After 15 million downloads of VLC 2.0.0 versions, VideoLAN and the VLC development team present the second version of "Twoflower", a bugfix release. Support for MxPEG files, new features in the Mac OS X interface are part of this release, in addition to faster decoding and fixes for hundred of bugs and regression, notably for HLS, MKV, RAR, Ogg, Bluray discs and many other things. This is also a security update . More info on the release notes . VLC 2.0.0 2012-02-18 After 485 million downloads of VLC 1.1.x versions, VideoLAN and the VLC development team present VLC 2.0.0 "Twoflower", a major new release. With faster decoding on multi-core, GPU, and mobile hardware and the ability to open more formats, notably professional, HD and 10bits codecs, 2.0 is a major upgrade for VLC. Twoflower has a new rendering pipeline for video, with higher quality subtitles, and new video filters to enhance your videos. It supports many new devices and BluRay Discs (experimental). It features a completely reworked Mac and Web interfaces and improvements in the other interfaces make VLC easier than ever to use. Twoflower fixes several hundreds of bugs, in more than 7000 commits from 160 volunteers. More info on the release notes . VideoLAN at SCALE 10x 2012-01-15 VideoLAN will have a booth (#74) at the Southern California Linux Expo at the Hilton Los Angeles Airport Hotel next week-end. The event will take place from Friday throughout Sunday. We will happily show you the latest developments and our forthcoming major VLC update. multicat 2.0 2012-01-04 VideoLAN is happy to announce the second major release of multicat . It brings numerous new features, such as recording chunks of a stream in a directory, and supporting TCP socket and IPv6, as well as bug fixes. Also aggregaRTP was extended to support retransmission of lost packets. DVBlast 2.1 2012-01-04 VideoLAN is happy to announce version 2.1 of DVBlast . It is a bugfix release, fixing in particular a problem with MMI menus present in 2.0. VLC engine relicensed to LGPL 2011-12-21 As previously stated , VideoLAN worked on the relicensing of libVLC and libVLCcore: the VLC engine. We are glad to announce that this process is now complete for VLC 1.2. Thanks a lot for the support. VLC 1.1.13 2011-12-20 VideoLAN and the VLC development team present VLC 1.1.13, a bug and security fix release. This release was necessary due to a security issue in the TiVo demuxer . Source code is available. DVBlast 2.0 and biTStream 1.0 2011-12-15 VideoLAN is happy to announce DVBlast 2.0, the fourth major release of DVBlast . It fixes a number of issues, such as packet bursts and CAM communication problems, adds more configuration options, and improves dvblastctl with stream information. It also gets rid of the runtime dependency on libdvbpsi thanks to biTStream. VideoLAN is also happy to introduce the first public release of biTStream , a set of C headers allowing a simpler access (read and write) to binary structures such as specified by MPEG, DVB, IETF, etc... It is released under the MIT license to avoid readability concerns being shadowed by license issues. It already has a pretty decent support of MPEG systems packet structures, MPEG PSI, DVB SI, DVB simulcast and IETF RTP. libaacs 0.3.0 2011-12-02 The doom9 researchers and the libaacs developers would like to present the first official release of their library of the implementation of the libaacs standard. libaacs 0.3.0 source code can be downloaded on the VideoLAN download service . Nota Bene: This library is of no use without AACS keys. libbluray 0.2.1 2011-11-30 VideoLAN and the libbluray developers would like to present the first official release of their library to help playback of Blu-Ray for open source systems. libbluray 0.2.1 source code can be downloaded on the VideoLAN ftp . VLC 1.1.12 2011-10-06 VideoLAN and the VLC development team present VLC 1.1.12, a bug and security fix release with improvements for audio output on Mac OS X and with PulseAudio. This release was necessary due to a security issue in the HTTP and RTSP server components, though this does not affect standard usage of the player. Binaries for Mac OS X and sources are available. Changing the VLC engine license to LGPL 2011-09-07 During the third VideoLAN Dev Days , last weekend in Paris, numerous developers approved the process of changing the license of the VLC engine to LGPL 2.1 (or later). This is the beginning of the process and will require the authorization from all the past contributors. See our press release on this process. libdvbpsi 0.2.1 2011-09-01 The libdvbpsi development team release version 0.2.1 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.1 is a bugfix release which corrects minor issues in libdvbpsi. For more information on features visit libdvbpsi main page . Invitation to VDD11 2011-08-15 VideoLAN would like to invite you to join us at the VideoLAN Dev Days 2011. This technical conference about open source multimedia, will see developers from VLC, libav, FFmpeg, x264, Phonon, DVBlast, PulseAudio, KDE, Gnome and other projects gather to discuss about open source development for multimedia projects. It will be held in Paris, France, on September 3rd and 4th , 2011. See more info, on the dedicated page. VLC 1.1.11 2011-07-15 VideoLAN and the VLC development team present VLC 1.1.11, a security release with some other improvements. This release was necessary due to two security issues in the real and avi demuxers. It also contains improvements in the fullscreen mode of the Win32 mozilla plugin, the MacOSX Media Key handling and Auhal audio output as well as bug fixes in GUI, decoders and demuxers.. Source and binaries builds for Windows and Mac are available. VLC 1.1.10.1 2011-06-16 Shortly after VLC 1.1.10, VideoLAN and the VLC development team present version 1.1.10.1, which includes small fixes for the Mac OS X port such as disappearing repeat buttons and restored Freebox TV access. Additionally, the installation size was reduced by up to 30 MB. See the release notes for more information on the additional improvements included from VLC 1.1.10. VLC 1.1.10 2011-06-06 VideoLAN and the VLC development team present VLC 1.1.10, a minor release of the 1.1 branch. This release, 2 months after 1.1.9, was necessary because some security issues were found (see SA 1104 ), and the VLC development team cares about security. This release brings a rewritten pulseaudio output, an important number of small Mac OS X fixes, the removal of the font-cache building for the freetype module on Windows and updates of codecs. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.10. libdvbpsi 0.2.0 2011-05-05 The libdvbpsi development team release version 0.2.0 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.0 marks a license change from GPLv2 to LGPLv2.1 . For more information on features visit libdvbpsi main page . Phonon VLC 0.4.0 2011-04-27 VideoLAN would like to point out that the Phonon team has released Phonon VLC 0.4.0 . The new version of the best backend for the Qt multimedia library features much improved stability, more video features and control as well as completely redone streaming input capabilities. You can read more on Phonon VLC 0.4.0 in the release announcement ! VLC 1.1.9 2011-04-12 VideoLAN and the VLC development team present VLC 1.1.9, a minor release of the 1.1 branch. This release, not long after 1.1.8, was necessary because some security issues were found, and the VLC development team cares about security. This release also brings updated translations and a lot of small Mac OS X fixes. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.9. libdvbcsa 1.1.0 is now out! 2011-04-03 libdvbcsa's new versions brings major speed improvements and optimizations of key schedules. It also fixes minor issues. You can get it now on our FTP or on the main libdvbcsa page! A new year of Google Summer of Code 2011-03-28 Instead of having a lousy student summer internship, why not working for VideoLAN and have an impact on millions of people world-wide? The Google Summer of Code program is starting soon and you should send your applications before April 8th 2011, 19:00 UTC, on the webapplication . You shouldn't wait for the last minute and we would like to remember that application can be modified afterwards and that you can submit multiple applications. Join the team now! VLC 1.1.8 and anti-virus software 2011-03-25 Yet again, broken anti-virus software flag the latest version of VLC on Windows as a malware. This is, once again, a false positive . As some of the anti-virus makers plainly refuse to fix their code, we recommend to our users to stop using Kaspersky , AVL , TheHacker or AVG . Users are advised to use the free Antivir or the new Microsoft Security Essential . Moreover , we advise users to download VLC only from videolan.org , as very numerous scam websites have appeared lately. VLC 1.1.8 2011-03-23 VideoLAN and the VLC development team present VLC 1.1.8, a minor release of the 1.1 branch. Small new features, many bugfixes, updated translations and security issues are making this release too. Notable improvements include updated look on Mac, new Dirac encoder, new VP8/Webm encoder, and numerous fixes in codecs, demuxers, interface, subtitles auto-detection, protocols and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.8. CeBit and 10 years of open source... 2011-02-28 The VideoLAN project and organization would like to thank everyone for the support during this month for our 10 years We'd like to invite you to meet us at the CeBIT , starting from tomorrow, in the open source lounge, Hall 2, Stand F44 . 10 years of open source for VideoLAN: end of 10 days... 2011-02-12 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 6 showed a selection of extensions ; Day 7 detailed a few secret features ; Day 8 showed a few nice cones ; Day 9 detailed our committers and download numbers ; Day 10 showed of a showed a promotionnal video . Please join the celebration! 10 years of open source for VideoLAN: continued... 2011-02-07 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 1 spoke about the early history of the project ; Day 2 spoke about the website design ; Day 3 showed a cool video ; Day 4 listed our preferred skins ; Day 5 showed of a photo of the team at the FOSDEM ; Day 6 (one day late) showed a selection of extensions . Please join the celebration! New website design 2011-02-02 As you might have seen, we've change the design of the main website . The website design was done by Argon and this project was sponsored by netzwelt.de . VLC 1.1.7 2011-02-01 VideoLAN and the VLC development team present VLC 1.1.7, a small security update on 1.1.6. Small new features, many bugfixes, updated translations and security issues were making the 1.1.6 release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.6. Source was available yesterday; binaries for Windows and Mac OS X are now available. 10 years of open source for VideoLAN 2011-02-01 The VideoLAN project and organization are proud to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software, that happened exactly 10 years ago. To celebrate, small infos, stories and goodies will be posted in the next ten days on this site . Day 1 speaks about the early history of the project Please join the celebration! VLC 1.1.6 2011-01-23 VideoLAN and the VLC development team are proud to present VLC 1.1.6, the sixth bugfix release of the VLC 1.1.x branch. Small new features, many bugfixes, updated translations and security issues are making this release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information. NB: The first versions for Intel-based Macs (64bit and Universal Binary) included a rtsp streaming bug, which also hindered access to the Freebox. Please re-download. End of support for VLC 1.0 series 2011-01-22 The VideoLAN team ceases all form of support for VLC media player versions 1.0.x. Focusing maintenance efforts on the current VLC 1.1 versions, and further development on the upcoming VLC 1.2 series, the VideoLAN team will not deliver any further update for VLC versions 1.0.x (last release was 1.0.6), and VLC 0.9.x (last release was 0.9.10). VLC 1.1.6 will be released shortly. This release will introdu
2026-01-13T09:30:36
https://aws.amazon.com/th/textract/
แยกข้อความและข้อมูลอย่างชาญฉลาดด้วย OCR - Amazon Textract - Amazon Web Services ข้ามไปที่เนื้อหาหลัก Filter: ทั้งหมด English ติดต่อเรา AWS Marketplace การสนับสนุน บัญชีของฉัน การค้นหา Filter: ทั้งหมด ลงชื่อเข้าใช้คอนโซล สร้างบัญชี Amazon Textract ภาพรวม ฟีเจอร์ ราคา ทรัพยากร คำถามที่พบบ่อย เพิ่มเติม ผลิตภัณฑ์ › แมชชีนเลิร์นนิง › Amazon Textract การประมวลผลเอกสารอัจฉริยะของ Amazon สร้าง ROI ได้ถึง 73% กรอกแบบฟอร์มสั้น ๆ เพื่อดาวน์โหลดรายงาน Amazon Textract แยกข้อความที่พิมพ์ ลายมือ องค์ประกอบเลย์เอาต์ และข้อมูลจากเอกสารทุกฉบับโดยอัตโนมัติ เริ่มต้นใช้งาน Amazon Textract ติดต่อฝ่ายขาย ทำไมควรเลือก Amazon Textract Amazon Textract คือบริการแมชชีนเลิร์นนิง (ML) ที่จะแยกข้อความ ลายมือ องค์ประกอบเลย์เอาต์ และข้อมูลจากเอกสารทุกฉบับโดยอัตโนมัติ โดยไม่ได้ใช้แค่การรู้จำอักขระด้วยแสง (OCR) แบบทั่วไปในการระบุ ทำความเข้าใจ และแยกข้อมูลที่เฉพาะเจาะจงจากเอกสาร ในปัจจุบัน หลายๆ บริษัทต่างดึงข้อมูลจากเอกสารที่สแกนด้วยตนเอง เช่น PDF, รูปภาพ ตาราง และแบบฟอร์ม หรือผ่านซอฟต์แวร์ OCR แบบทั่วไปที่ต้องมีการกำหนดค่าด้วยตนเอง (ซึ่งมักจะต้องเปลี่ยนแปลงเสมอเมื่อแบบฟอร์มเปลี่ยนไป) เพื่อเอาชนะกระบวนการด้วยตนเองและมีราคาแพงเหล่านี้ Amazon Textract จึงใช้ ML เพื่ออ่านและประมวลผลเอกสารทุกประเภท โดยแยกข้อความ ลายมือ ตาราง และข้อมูลอื่น ๆ ออกมาอย่างแม่นยำ โดยไม่ต้องใช้ความพยายามด้วยตนเอง คุณสามารถใช้หนึ่งในคุณสมบัติที่ได้รับการฝึกมาล่วงหน้าหรือคุณสมบัติแบบกำหนดเองของเราเพื่อทำให้การประมวลผลเอกสารเป็นไปโดยอัตโนมัติได้อย่างรวดเร็ว ไม่ว่าคุณจะประมวลผลสินเชื่อโดยอัตโนมัติหรือดึงข้อมูลจากใบแจ้งหนี้และใบเสร็จต่างๆ Amazon Textract ช่วยให้คุณสามารถปรับแต่งคุณสมบัติที่ได้รับการฝึกมาล่วงหน้าของเราเพื่อตอบโจทย์ความต้องการในการประมวลผลเอกสารที่เฉพาะเจาจงสำหรับธุรกิจของคุณได้ Amazon Textract สามารถดึงข้อมูลได้ในไม่กี่นาที ไม่ต้องรอเป็นชั่วโมงหรือเป็นวัน เล่น ประโยชน์ของ Amazon Textract ขับเคลื่อนประสิทธิภาพและการตัดสินใจ ขับเคลื่อนประสิทธิภาพทางธุรกิจให้สูงขึ้นและตัดสินใจได้รวดเร็วขึ้นพร้อมกับลดต้นทุน ข้อมูลเชิงลึกที่สำคัญ แยกข้อมูลเชิงลึกที่สำคัญด้วยความแม่นยำสูงจากเอกสารได้เกือบทุกชนิด ปรับขนาดได้อย่างง่ายดาย ขยายขนาดหรือลดทรัพยากรไปป์ไลน์การประมวลผลเอกสารเพื่อปรับให้เข้ากับความต้องการของตลาดอย่างรวดเร็ว การประมวลผลข้อมูลอัตโนมัติ ทำให้การประมวลผลข้อมูลเป็นแบบอัตโนมัติอย่างปลอดภัยด้วยมาตรฐานความเป็นส่วนตัวของข้อมูล การเข้ารหัส และการปฏิบัติตามกฎหมาย กรณีการใช้งาน บริการทางการเงิน ดึงข้อมูลธุรกิจที่สำคัญได้อย่างแม่นยำ เช่น อัตราการจำนอง ชื่อผู้สมัคร และยอดรวมในใบแจ้งหนี้ในแบบฟอร์มทางการเงินต่าง ๆ เพื่อดำเนินการขอสินเชื่อและการจำนองในเวลาไม่กี่นาที การดูแลสุขภาพและวิทยาศาสตร์ชีวภาพ ให้บริการผู้ป่วยและผู้ประกันตนของคุณได้ดียิ่งขึ้นโดยการดึงข้อมูลผู้ป่วยที่สำคัญจากแบบฟอร์มการรับบริการดูแลสุขภาพ การเคลมประกัน และแบบฟอร์มการอนุมัติล่วงหน้า จัดเก็บข้อมูลให้เป็นระเบียบและอยู่ในบริบทดั้งเดิม และลบการตรวจสอบผลลัพธ์ด้วยตนเอง ภาครัฐ แยกข้อมูลที่เกี่ยวข้องจากแบบฟอร์มรัฐบาลอย่างง่ายดาย เช่น สินเชื่อธุรกิจขนาดเล็ก แบบฟอร์มภาษีของรัฐบาลกลาง และการแสดงความจำนงทางธุรกิจด้วยความแม่นยำสูง ขั้นตอนถัดไป Free Tier ลองใช้ AWS Free Tier ลงชื่อสมัครใช้บัญชีฟรี คอนโซล สำรวจ Amazon Textract เริ่มสร้าง สร้างบัญชี AWS เรียนรู้ AWS คืออะไร การประมวลผลบนคลาวด์คืออะไร Agentic AI คืออะไร ฮับแนวคิดการประมวลผลบนคลาวด์ AWS Cloud Security มีอะไรใหม่ บล็อก ข่าวประชาสัมพันธ์ ทรัพยากร เริ่มต้นใช้งาน การฝึกอบรม AWS Trust Center ไลบราลีโซลูชันของ AWS Architecture Center คำถามที่พบบ่อยเกี่ยวกับผลิตภัณฑ์และเทคนิค รายงานการวิเคราะห์ พาร์ทเนอร์ AWS นักพัฒนา Builder Center SDK และเครื่องมือ .NET บน AWS Python บน AWS Java บน AWS PHP บน AWS JavaScript บน AWS ความช่วยเหลือ ติดต่อเรา ยื่นตั๋วแจ้งปัญหา AWS re:Post ศูนย์ความรู้ ภาพรวมของ AWS Support รับความช่วยเหลือจากผู้เชี่ยวชาญ การช่วยการเข้าถึงของ AWS กฎหมาย English กลับขึ้นด้านบน Amazon คือ ผู้ว่าจ้างที่มอบโอกาสอย่างเท่าเทียมให้กับทุกคน ได้แก่ ชนกลุ่มน้อย / สตรี / ผู้พิการ / ทหารผ่านศึก / อัตลักษณ์ทางเพศ / รสนิยมทางเพศ / อายุ x facebook linkedin instagram twitch youtube podcasts email ความเป็นส่วนตัว ข้อกำหนดเว็บไซต์ ค่ากำหนดของคุกกี้ © 2026, Amazon Web Services, Inc. หรือบริษัทในเครือ สงวนลิขสิทธิ์
2026-01-13T09:30:36
http://www.stochastictechnologies.com/css/css/qa/
Welcome - Stochastic Technologies Stochastic Technologies A software agency Home Software Development Quality Assurance Contact The Company Do you have a solid business plan and need the technical know-how to bring it to fruition? We provide software development and ongoing quality assurance services. With decades of experience in web development, we can help you design, develop and iterate your business applications, from conception to market fit. We focus on delivering solutions that fit your specific business case, making sure they are extensible and maintainable well into the future. The Details You handle the business, we handle the technicalities. We take care of the all the technical needs so you can focus on what you do best: Growing your business. Development From desktop to web to mobile, we have developed for it all. Whatever your business needs, our diverse development team can deliver. Design/UX Good software means good UX. We can help improve your application's visuals and interactions, to increase user retention and satisfaction. Quality Assurance Quality doesn't stop at deployment. Our experienced QA department is at your disposal to continuously test your application and find potential problems before your users do. Consultancy Even if you already have established teams, we can help with problematic areas. Whether you need to scale or improve development processes, our consultancy arm is there for you. Contact Us The Endorsements Sokratis Papafloratos, Togethera Stochastic has been an invaluable advisor from the early stages of our company all the way to thousands of users. Andrew Hoehn, Echo Factory It seems like the more challenging the project is, the more excited the Stochastic team is to create a solution. Josh Wright, Silent Circle Knowledgeable, professional and competent, Stochastic have been a pleasure to work with. Contact Let's talk. Send us an email and let us solve your problems. Email You can send us good, old-fashioned, convenient email at: info@stochastic.io Otherwise, you can use our contact form . Address Stochastic Technologies 5th Floor, Genesis Building, Genesis Close George Town, Grand Cayman Cayman Islands, KY1-1106 GitHub You can find our open-source work on our GitHub: https://github.com/stochastic-technologies/
2026-01-13T09:30:36
http://www.stochastictechnologies.com/css/css/software/contact/
Welcome - Stochastic Technologies Stochastic Technologies A software agency Home Software Development Quality Assurance Contact The Company Do you have a solid business plan and need the technical know-how to bring it to fruition? We provide software development and ongoing quality assurance services. With decades of experience in web development, we can help you design, develop and iterate your business applications, from conception to market fit. We focus on delivering solutions that fit your specific business case, making sure they are extensible and maintainable well into the future. The Details You handle the business, we handle the technicalities. We take care of the all the technical needs so you can focus on what you do best: Growing your business. Development From desktop to web to mobile, we have developed for it all. Whatever your business needs, our diverse development team can deliver. Design/UX Good software means good UX. We can help improve your application's visuals and interactions, to increase user retention and satisfaction. Quality Assurance Quality doesn't stop at deployment. Our experienced QA department is at your disposal to continuously test your application and find potential problems before your users do. Consultancy Even if you already have established teams, we can help with problematic areas. Whether you need to scale or improve development processes, our consultancy arm is there for you. Contact Us The Endorsements Sokratis Papafloratos, Togethera Stochastic has been an invaluable advisor from the early stages of our company all the way to thousands of users. Andrew Hoehn, Echo Factory It seems like the more challenging the project is, the more excited the Stochastic team is to create a solution. Josh Wright, Silent Circle Knowledgeable, professional and competent, Stochastic have been a pleasure to work with. Contact Let's talk. Send us an email and let us solve your problems. Email You can send us good, old-fashioned, convenient email at: info@stochastic.io Otherwise, you can use our contact form . Address Stochastic Technologies 5th Floor, Genesis Building, Genesis Close George Town, Grand Cayman Cayman Islands, KY1-1106 GitHub You can find our open-source work on our GitHub: https://github.com/stochastic-technologies/
2026-01-13T09:30:36
https://www.hcaptcha.com/pricing.html
Pricing Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In hCaptcha Plans Stop malicious bots, protect user privacy Monthly Billing Annual Billing Basic (Free) $0 Get started instantly with leading bot mitigation. Get Started World-Class Bot Protection Works in Every Country Complies with GDPR, CCPA, LGPD, PIPL, and more Most Popular Pro $139 Per month, Billed monthly Frictionless user experience 100K monthly evals included, then $0.99/1K Free Trial Everything in Basic and... Low Friction 99.9% Passive Mode Custom Themes Analytics Enterprise Talk to Sales Best-in-class protection from bots and human abuse. More accurate and up to 50% more cost-effective than reCAPTCHA.¹ Contact Us Everything in Pro and... Risk Scores Passive (No-CAPTCHA) Mode APT Mitigation Features Enterprise SLAs Multi-User Dashboard, SAML SSO Advanced Analytics & Reporting APIs ¹ Cost and accuracy estimates are based on customer-reported comparison data. You've Unlocked a Free 14-Day Trial with hCaptcha Pro! No payment is required. Experience the benefits of frictionless 99.9% passive mode and custom themes . Don't worry: you'll be automatically switched to the Free plan after 14 days if you decide not to keep Pro. Continue Basic (Free) $0 Get started instantly with leading bot mitigation. Get Started World-Class Bot Protection Works in Every Country Complies with GDPR, CCPA, LGPD, PIPL, and more Most Popular Pro $99 Per month Billed yearly Frictionless user experience 100K monthly evals included, then $0.99/1K Free Trial Everything in Basic and... Low Friction 99.9% Passive Mode Custom Themes Analytics Enterprise Talk to Sales Best-in-class protection from bots and human abuse. More accurate and up to 50% more cost-effective than reCAPTCHA.¹ Contact Us Everything in Pro and... Risk Scores Passive (No-CAPTCHA) Mode APT Mitigation Features Enterprise SLAs Multi-User Dashboard, SAML SSO Advanced Analytics & Reporting APIs ¹ Cost and accuracy estimates are based on customer-reported comparison data. You've Unlocked a Free 14-Day Trial with hCaptcha Pro! No payment is required. Experience the benefits of frictionless 99.9% passive mode and custom themes . Don't worry: you'll be automatically switched to the Free plan after 14 days if you decide not to keep Pro. Continue Need more info? Compare Plans Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:36
https://libc.llvm.org/full_cross_build.html#building-for-the-gpu
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://l.facebook.com/l.php?u=https%3A%2F%2Fwww.instagram.com%2F&h=AT1TXrQkDNNFRBUUNyQlHSlhd1VKIuzOPRapv1vw-8j5F-NnrKcFclPbzwc05Wd8ob1ZqVarEXsgvLkA2sVFEkEGoQcU3rbPaQ_3BwnqQKE87XStyIo0CSGy6selxg_JiquzWJLdBpAuFV2W
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:36
https://www.hcaptcha.com/pro
Professional Plan Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In Say Hello to Pro Stop bots with less user friction. From $99/mo. Start your Free Trial Pro docs → example-username ⬤⬤⬤⬤⬤⬤⬤⬤⬤ Bot Mitigation with Less Friction 99.9% Passive Mode is bot detection on autopilot. Maintain high protection with fewer challenges, and make your customers happy too. hCaptcha Pro dynamically adjusts difficulty from No-CAPTCHA up to visual challenges as needed, providing a low friction experience and maximizing your conversion and engagement. Simple to use Just click on "Enable Pro Mode" to get started. A System that Keeps on Learning hCaptcha Pro detects new and evolving threats in real time. Our leading edge ML learns your traffic patterns, letting the system optimize security without harming efficacy. Designs That Fit Your Brand Match your brand colors with total control over challenge styles. Explore Themes Get started with hCaptcha Pro Enhance your security with a great user experience today. Start your Free Trial Pro FAQ How does hCaptcha Pro differ from hCaptcha Free? hCaptcha Pro offers features like a low friction self-optimizing challenge mode, custom themes, and more. hCaptcha Free is a classic CAPTCHA experience, in which most users will generally be shown a challenge. How does hCaptcha Pro differ from hCaptcha Enterprise? hCaptcha Enterprise is a complete anti-abuse and bot mitigation platform. It is used by many of the largest online services to protect their users from fraud and abuse of all kinds, both human and automated. Features unique to hCaptcha Enterprise include passive (No-CAPTCHA) modes, risk scores, custom threat models, rich analytics and tagging interfaces, role-based access controls, SAML SSO, strong SLAs, and much more. When should I choose hCaptcha Pro vs. hCaptcha Enterprise? hCaptcha Pro is the right choice when you want a simple tool that you can enable in minutes, letting our system manage configuration. hCaptcha Enterprise is the right choice when you need not just low friction but sophisticated defenses against account takeovers, advanced persistent threats, API integration, and more. If your hCaptcha volume is greater than one million evaluations per month then hCaptcha Enterprise can also be more cost-effective, as committed volume discounts are available. How is hCaptcha Pro billed? hCaptcha Pro is billed either annually or monthly for the base subscription, which includes 100,000 evaluations per month. Additional evaluations are billed at $0.99 per 1000 requests, which will be charged to your credit card periodically once the 100,000 evaluation capacity quota is consumed. The monthly price with an annual subscription discount is $99, or $139 if paid month-to-month. Annual Billing Example: if your total usage in a given month is 115,000 requests and you have selected annual billing, you will see a single charge for the annual-billed amount when you sign up, and an overage charge for $14.85 in the month you consumed more than 100,000 requests. Monthly Billing Example: if your total usage in a given month is 115,000 requests and you have selected monthly billing, you will see a charge for the monthly-billed amount when you sign up and on each subsequent month, and an overage charge for $14.85 in the month you consumed more than 100,000 requests. See hCaptcha Enterprise in Action Get a demo or start a pilot today. Get Started Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Us Contact Sales Contact Support Company Jobs AI Ethics Compliance About Trademarks Press Resources Documentation Accessibility Status Report a Bug Cyberattacks 101 Contact Support Contact Support Sales Contact Sales Blog Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:36
https://bizarro.dev.to/t/gemini/page/21
Google Gemini Page 21 - ALTERNATE UNIVERSE DEV Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account ALTERNATE UNIVERSE DEV Close Google Gemini Follow Hide Create Post Older #gemini posts 18 19 20 21 22 23 24 25 26 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV ALTERNATE UNIVERSE DEV — A constructive and inclusive social network for software developers. With you every step of your journey. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . ALTERNATE UNIVERSE DEV © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T09:30:36
https://www.hcaptcha.com/about.html
hCaptcha - About Us Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In About hCaptcha Privacy, Security, and Machine Learning. hCaptcha is the world's most widely used independent CAPTCHA service. Learn More Contact Sales Privacy Focused hCaptcha brings a modern, privacy-focused approach to stopping bots and human abuse. Our systems are thus designed from the ground up to minimize data collection and retention while maintaining class-leading security. The best way to protect user data is not to store it at all. Security First Bad actors are increasingly common online. But sacrificing user privacy is not the answer. Security solutions offered by ad companies focus primarily on tracking users across the web. We have created an effective security solution that proves harming user privacy is not necessary to deliver excellent results. Who we are An experienced team, working on today's hardest problems. hCaptcha is a service of Intuition Machines . With decades of software and ML expertise, we build and operate massively scalable systems to tackle some of today's hardest problems while preserving privacy. We specialize in deep learning and visual domain machine learning at scale, with a particular focus on securing online systems from sophisticated modern threats. Advisors Brendan Eich CEO of Brave. Co-founder of Mozilla. Creator of the JavaScript programming language. Builder of browsers and more. Dawn Song Professor, CS at University of California, Berkeley. Deep learning, security, blockchain expert. CEO of Oasis Labs. Kieran Thompson Research Scientist at Stanford. Machine learning and quant finance at major banks, hedge funds, and academia. Sign up free or contact us about hCaptcha Enterprise solutions Sign Up Contact Sales Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:36
https://ja-jp.facebook.com/r.php?next=https%3A%2F%2Fzh-cn.facebook.com%2Fsettings&amp%3Bamp%3Blocale=vi_VN&amp%3Bamp%3Bdisplay=page
Facebook Facebook メールアドレスまたは電話番号 パスワード アカウントを忘れた場合 登録 機能の一時停止 機能の一時停止 この機能の使用ペースが早過ぎるため、機能の使用が一時的にブロックされました。 Back 日本語 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) Português (Brasil) Français (France) Deutsch アカウント登録 ログイン Messenger Facebook Lite 動画 Meta Pay Metaストア Meta Quest Ray-Ban Meta Meta AI Meta AIのコンテンツをもっと見る Instagram Threads 投票情報センター プライバシーポリシー プライバシーセンター Facebookについて 広告を作成 ページを作成 開発者 採用情報 Cookie AdChoices 規約 ヘルプ 連絡先のアップロードと非ユーザー 設定 アクティビティログ Meta © 2026
2026-01-13T09:30:36
https://github.com/compiler-explorer/compiler-explorer
GitHub - compiler-explorer/compiler-explorer: Run compilers interactively from your web browser and interact with the assembly Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} compiler-explorer / compiler-explorer Public Uh oh! There was an error while loading. Please reload this page . Notifications You must be signed in to change notification settings Fork 2k Star 18.4k Run compilers interactively from your web browser and interact with the assembly godbolt.org License BSD-2-Clause license 18.4k stars 2k forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 857 Pull requests 30 Discussions Actions Projects 0 Wiki Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Discussions Actions Projects Wiki Security Insights compiler-explorer/compiler-explorer   main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit   History 10,662 Commits .claude .claude     .devcontainer .devcontainer     .github .github     .husky .husky     .idea .idea     cypress cypress     docs docs     etc etc     examples examples     lib lib     public public     shared shared     static static     test test     types types     views views     .editorconfig .editorconfig     .git-blame-ignore-revs .git-blame-ignore-revs     .gitattributes .gitattributes     .gitignore .gitignore     AUTHORS.md AUTHORS.md     CLAUDE.md CLAUDE.md     CODE_OF_CONDUCT.md CODE_OF_CONDUCT.md     CONTRIBUTING.md CONTRIBUTING.md     CONTRIBUTORS.md CONTRIBUTORS.md     LICENSE LICENSE     Makefile Makefile     PULL_REQUEST_TEMPLATE.md PULL_REQUEST_TEMPLATE.md     README.md README.md     SECURITY.md SECURITY.md     app.ts app.ts     biome.json biome.json     codecov.yml codecov.yml     compiler-args-app.ts compiler-args-app.ts     cypress.config.ts cypress.config.ts     lint-staged.config.mjs lint-staged.config.mjs     package-lock.json package-lock.json     package.json package.json     tsconfig.backend.json tsconfig.backend.json     tsconfig.base.json tsconfig.base.json     tsconfig.frontend.json tsconfig.frontend.json     tsconfig.frontend.tests.json tsconfig.frontend.tests.json     tsconfig.json tsconfig.json     tsconfig.tests.json tsconfig.tests.json     vitest.config.ts vitest.config.ts     webpack.config.esm.ts webpack.config.esm.ts     View all files Repository files navigation README Code of conduct Contributing BSD-2-Clause license Security Compiler Explorer Compiler Explorer is an interactive compiler exploration website. Edit code in C, C++, C#, F#, Rust, Go, D, Haskell, Swift, Pascal, ispc , Python, Java, or any of the other 30+ supported languages , and see how that code looks after being compiled in real time. Bug Report · Compiler Request · Feature Request · Language Request · Library Request · Report Vulnerability Overview Multiple compilers are supported for each language, many different tools and visualizations are available, and the UI layout is configurable (thanks to GoldenLayout ). Try out at godbolt.org , or run your own local instance . An overview of what the site lets you achieve, why it's useful, and how to use it is available here , or in this talk . Compiler Explorer follows a Code of Conduct which aims to foster an open and welcoming environment. Compiler Explorer was started in 2012 to show how C++ constructs are translated to assembly code. It started as a tmux session with vi running in one pane and watch gcc -S foo.cc -o - running in the other. Since then, it has become a public website serving over 3,000,000 compilations per week . You can financially support this project on Patreon , GitHub , Paypal , or by buying cool gear on the Compiler Explorer store . Using Compiler Explorer FAQ There is now a FAQ section in the repository wiki . If your question is not present, please contact us as described below, so we can help you. If you find that the FAQ is lacking some important point, please feel free to contribute to it and/or ask us to clarify it. Videos Several videos showcase some features of Compiler Explorer: Compiler Explorer 2023: What's New? : Presentation for CppNorth 2023. Presentation for CppCon 2019 about the project Older 2 part series of videos which go into a bit more detail into the more obscure features. Just Enough Assembly for Compiler Explorer : Practical introduction to Assembly with a focus on the usage of Compiler Explorer, from CppCon 2021. Playlist: Compiler Explorer : A collection of videos discussing Compiler Explorer; using it, installing it, what it's for, etc. A Road map is available which gives a little insight into the future plans for Compiler Explorer . Developing Compiler Explorer is written in TypeScript , on Node.js . Assuming you have a compatible version of node installed, on Linux simply running make ought to get you up and running with an Explorer running on port 10240 on your local machine: http://localhost:10240/ . If this doesn't work for you, please contact us, as we consider it important you can quickly and easily get running. Currently, Compiler Explorer requires node 20 or higher installed, either on the path or at NODE_DIR (an environment variable or make parameter). Running with make EXTRA_ARGS='--language LANG' will allow you to load LANG exclusively, where LANG is one for the language ids/aliases defined in lib/languages.ts . For example, to only run Compiler Explorer with C++ support, you'd run make EXTRA_ARGS='--language c++' . You can supply multiple --language arguments to restrict to more than one language. The Makefile will automatically install all the third-party libraries needed to run; using npm to install server-side and client-side components. For development, we suggest using make dev to enable some useful features, such as automatic reloading on file changes and shorter startup times. You can also use npm run dev to run if make dev doesn't work on your machine. When making UI changes, we recommend following the UI Testing Checklist to ensure all components work correctly. Some languages need extra tools to demangle them, e.g. rust , d , or haskell . Such tools are kept separately in the tools repo . Configuring compiler explorer is achieved via configuration files in the etc/config directory. Values are key=value . Options in a {type}.local.properties file (where {type} is c++ or similar) override anything in the {type}.defaults.properties file. There is a .gitignore file to ignore *.local.* files, so these won't be checked into git, and you won't find yourself fighting with updated versions when you git pull . For more information see Adding a Compiler . Check CONTRIBUTING.md for detailed information about how you can contribute to Compiler Explorer , and the docs folder for specific details regarding various things you might want to do, such as how to add new compilers or languages to the site. Running a local instance If you want to point it at your own GCC or similar binaries, either edit the etc/config/LANG.defaults.properties or else make a new one with the name LANG.local.properties , substituting LANG as needed. *.local.properties files have the highest priority when loading properties. For a quick and easy way to add local compilers, use the CE Properties Wizard which automatically detects and configures compilers for 30+ languages . See Adding a Compiler for more details. If you want to support multiple compilers and languages like godbolt.org , you can use the bin/ce_install install compilers command in the infra project to install all or some of the compilers. Compilers installed in this way can be loaded through the configuration in etc/config/*.amazon.properties . If you need to deploy in a completely offline environment, you may need to remove some parts of the configuration that are pulled from www.godbolt.ms@443 . When running in a corporate setting the URL shortening service can be replaced by an internal one if the default storage driver isn't appropriate for your environment. To do this, add a new module in lib/shortener/myservice.js and set the urlShortenService variable in configuration. This module should export a single function, see the tinyurl module for an example. RESTful API There's a simple restful API that can be used to do compiles to asm and to list compilers. You can find the API documentation here . Contact us We run a Compiler Explorer Discord , which is a place to discuss using or developing Compiler Explorer. We also have a presence on the cpplang Slack channel #compiler_explorer and we have a public mailing list . There's a development channel on the discord, and also a development mailing list . Feel free to raise an issue on github or email Matt directly for more help. Official domains Following are the official domains for Compiler Explorer: https://godbolt.org/ https://godbo.lt/ https://compiler-explorer.com/ The domains allow arbitrary subdomains, e.g., https://foo.godbolt.org/ , which is convenient since each subdomain has an independent local state. Also, language subdomains such as https://rust.compiler-explorer.com/ will load with that language already selected. Credits Compiler Explorer is maintained by the awesome people listed in the AUTHORS file. We would like to thank the contributors listed in the CONTRIBUTORS file, who have helped shape Compiler Explorer . We would also like to especially thank these people for their contributions to Compiler Explorer : Gabriel Devillers ( while working for Kalray ) Johan Engelen Joshua Sheard Andrew Pardoe Many amazing sponsors , both individuals and companies, have helped fund and promote Compiler Explorer. About Run compilers interactively from your web browser and interact with the assembly godbolt.org Topics python c go swift rust c-plus-plus haskell compiler cpp assembly dlang rust-lang haskell-language hacktoberfest ispc Resources Readme License BSD-2-Clause license Code of conduct Code of conduct Contributing Contributing Security policy Security policy Uh oh! There was an error while loading. Please reload this page . Activity Custom properties Stars 18.4k stars Watchers 246 watching Forks 2k forks Report repository Sponsor this project     Uh oh! There was an error while loading. Please reload this page . patreon.com/ mattgodbolt https://www.paypal.com/cgi-bin/webscr?cmd=_donations&business=KQWQZ7GPY2GZ6&item_name=Compiler+Explorer+development&currency_code=USD&source=url Learn more about GitHub Sponsors Uh oh! There was an error while loading. Please reload this page . Contributors 582 + 568 contributors Languages TypeScript 88.4% Python 6.8% SCSS 2.1% Pug 1.9% JavaScript 0.2% PowerShell 0.1% Other 0.5% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time.
2026-01-13T09:30:36
https://pastebin.com/tools#iphone
Pastebin.com - Tools & Applications Pastebin API tools faq paste Login Sign up Tools & Applications On this page you find tools, add-ons, extensions and applications created for Pastebin.com. If you are a developer and have built something using our API, we can feature your creation with your credits on this page. Be sure to contact us and tell us all about it. 1. Google Chrome Extension ** RECOMMENDED ** 2. Pastebin Manager for Windows 10 3. Pastebin Desktop for Windows 4. iPhone/iPad Application 5. Windows 8 & RT Application 6. Click.to Pastebin for Windows 7. Firefox Add-on 8. HP WebOS Application 9. BlackBerry Application 10. Android Application 11. Pastebin for Android Application 12. Pastebin for Android 13. Pastebin It! desktop tool for Mac OS X 14. Mac OS X Desktop Widget 15. Opera Extension 16. PastebinCL 17. Pastebin Ruby Gem 18. PastebinPython (Python Wrapper) 19. Brush (PHP Wrapper) 20. Pastebin.cs (C# Wrapper) 21. jPastebin (Java Wrapper) 22. Pastebin4Scala (Scala Wrapper) 23. PasteBin IntelliJ IDEA Plugin 24. Pastebin-JS 25. Pastebin Eclipse Plugin 26. Pastebin for Windows Phone 27. Pastebin Manager for Windows Phone 28. Another Pastebin for Windows Desktop 29. ShareX 30. Pastebin WordPress Embed Plugin 31. Share Code for Visual Studio Code 32. PasteToBin for Adobe Brackets Google Chrome Extension ** RECOMMENDED ** With this Google Chrome Extension you are able to create new pastes directly from your browser. A recommended extension for all Pastebin users who use Google Chrome. Version Download API Version Developer 3.0.1 DOWNLOAD 3.0 Joshua Luckers * Download Google Chrome Add-on iPhone/iPad Application ** NOT RECOMMENDED ** With this application you can create new pastes directly from your iOS devices suchs as the iPhone and iPad. Version Download API Version Developer 1.1 DOWNLOAD 3.1 Euphoric Panda (Adrian Hooper) * Download iPhone/iPad Application If you are looking for an iOS app, but didn't like the one above, please check out PasteMe an alternative app. * Download PasteMe (alternative iOS Application) Pastebin Manager for Windows 10 This is a great application for Windows 10. With this application installed you are able to take full advantage of your Pastebin.com account directly from your Windows 10 desktop. Version Download API Version Developer 2016.621 DOWNLOAD 3.0 deHoDev (Stefan Wexel) * Download Pastebin Manager for Window 10 Pastebin Desktop for Windows This is the official Pastebin Desktop application for Windows based computers. With this application installed you are able to take full advantage of your Pastebin.com account directly from your Windows desktop. You will get a small icon in your system tray which will be your access to the full application. You are able to set customized shortcuts which will automatically create a new paste of the text that is stored in your clipboard. This way you never have to lose a code snippet again. This application is totally free and will always remain free. Version Download API Version Developer 1.1 DOWNLOAD 3.0 Leke Dobruna * Download Pastebin Desktop 1.1 via Download.com * Download Pastebin Desktop 1.1 via Pastebin.com Windows 8 & RT Application With this application you can create new pastes directly from your Windows 8 & RT Metro interface. Version Download API Version Developer 1.0 DOWNLOAD 3.0 Victor Häggqvist * Download Windows 8 & RT Application Also for Windows 8 & RT is PasteWin another similar application. Worth checking out :) Click.to Pastebin for Windows Both Pastebin.com and Click.to rely on the copy and paste principle. Pastebin.com provides users with a platform where you can store and share source code. Click.to saves its users clicks between Copy and Paste commands by offering a variety of further uses for copied content. With this new application for Windows you can store all your ctrl+c's instantly online. Version Download API Version Developer 0.92 DOWNLOAD 3.0 Click.to * Download Click.to Pastebin for Windows via Pastebin.com * Download Click.to Pastebin for Mac Firefox Extension With this Firefox Add-on you are able to create new pastes directly from your browser. A recommended add-on for all Pastebin users who use Firefox. Version Download API Version Developer 3.0 DOWNLOAD 3.0 Prafulla Kiran * Download Firefox Extension HP WebOS Application With this application you can create new pastes directly from your HP WebOS devices. Version Download API Version Developer 2.1 DOWNLOAD 3.0 Ben Fysh * Download HP WebOS Application BlackBerry Pastebin Application With this application you can create new pastes directly from your BlackBerry devices. Version Download API Version Developer 1.0.0.2 DOWNLOAD 3.0 Derek Konigsberg * Download BlackBerry Application Android Application With this application you can create new pastes directly from your Android devices. Version Download API Version Developer 2.1 DOWNLOAD 3.0 Jamie Countryman * Download Android Application Pastebin for Android Application With this application you can create new pastes directly from your Android devices. Version Download API Version Developer 2.1 DOWNLOAD 3.0 Jobin Johnson * Download Android Application Pastebin for Android With this application you can create new pastes directly from your Android devices. Version Download API Version Developer 3.0 DOWNLOAD 3.0 Pzy64 * Download Android Application Pastebin It! desktop tool for Mac OS X With this application you can create new pastes directly from your Mac OS X interface. Version Download API Version Developer 1.0 DOWNLOAD 3.1 PrismTechnologyWales * Pastebin It! desktop tool for Mac OS X Mac OS X Desktop Widget You can place this widget on your Mac OS X desktop and create new pastes. Version Download API Version Developer 1.0 DOWNLOAD 3.0 Radek Slupik * Download Mac OS X Desktop Widget Opera Extension With this Opera Extension on you are able to create new pastes directly from your browser. A recommended extension for all Pastebin users who use Opera. Version Download API Version Developer 1.0 DOWNLOAD 3.0 CycaHuH * Download Opera Extension PastebinCL for UNIX (Pastebin command-line) PastebinCL is a small program designed for UNIX based systems to quickly paste any piece of text to Pastebin.com. A manual for PastebinCL can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 Theophile BASTIAN * Download PastebinCL Pastebin Ruby Gem (Pastebin command-line) This is a nifty little tool written in Ruby to quickly paste any piece of text to Pastebin.com. Version Download API Version Developer 2.2 DOWNLOAD 3.0 dougsko * Download Pastebin Ruby Gem jPastebin (Pastebin API wrapper for Java) A complete pastebin.com API wrapper for Java. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 BrianBB * Download jPastebin Pastebin4Scala (Pastebin API wrapper for Scala) A complete pastebin.com API wrapper for Scala. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 lare96 * Download Pastebin4Scala Pastebin IntelliJ IDEA Plugin A great plugin for Pastebin in IntelliJ IDEA. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 Kennedy Oliveira * Download Pastebin IntelliJ Plugin PastebinPython (Pastebin API wrapper for Python) A complete pastebin.com API wrapper for Python. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 Ferdinand E. Silva * Download PastebinPython * Download another Python class for Pastebin API Brush (Pastebin API wrapper for PHP) A complete pastebin.com API wrapper for PHP. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 George Brighton * Download Brush Pastebin.cs (Pastebin API wrapper for C#) A complete pastebin.com API wrapper for C#. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 Tony J. Montana * Download Pastebin.cs Pastebin-JS (NodeJS module for Pastebin) A NodeJS module for the Pastebin API. More information can be found here . Version Download API Version Developer 0.0.1 DOWNLOAD 3.0 Jelte Lagendijk * Download Pastebin-JS Pastebin Eclipse Plugin Make and manage your pastebin code from Eclipse without restrictions. Version Download API Version Developer 1.0 DOWNLOAD 3.0 Miclen * Download Pastebin Eclipse Plugin Pastebin for Windows Phone With this application you can create new pastes directly from your Windows Phone devices. Version Download API Version Developer 1.0 DOWNLOAD 3.0 Alexander Schuc * Download Pastebin for Windows Phone Pastebin Manager for Windows Phone With this application you can create new pastes directly from your Windows Phone devices. Version Download API Version Developer 1.0.0.1 DOWNLOAD 3.0 deHoDev (Stefan Wexel) * Download Pastebin Manager for Windows Phone Also for Windows Phone is Paste It! another similar application. Worth checking out :) Another Pastebin for Windows Desktop With this application installed you are able to take full advantage of your Pastebin.com account directly from your Windows desktop. Version Download API Version Developer 1.6 DOWNLOAD 3.1 SoftwareSpot * Download Another Pastebin for Windows Desktop ShareX With this application installed you are able to instantly upload your clipboard's content to Pastebin. This program can also be used for many other things, such as image uploading. Version Download API Version Developer 9.4.2 DOWNLOAD 3.1 ShareX * Download ShareX Pastebin WordPress Embed Plugin Using this plugin you can embed content from Pastebin to your WordPress post/page using nothing but a URL. Just copy the paste URL from pastebin.com and paste it to your post. Version Download API Version Developer 1.0 DOWNLOAD 3.1 Rami Yushuvaev * Download Pastebin WordPress Embed Plugin Share Code for Visual Studio Code Quickly upload your code to Pastebin with this handy Share Code extension for Visual Studio Code. Version Download API Version Developer 1.0 DOWNLOAD 3.1 Roland Greim * Download Share Code for Visual Studio Code PasteToBin for Adobe Brackets Adobe Brackets extension that allows upload snippets to pastebin quickly. Version Download API Version Developer 1.0 DOWNLOAD 3.1 Wojciech Połowniak * Download PasteToBin for Adobe Brackets Public Pastes Untitled 8 min ago | 0.94 KB Untitled 18 min ago | 0.94 KB Untitled 29 min ago | 0.94 KB Untitled 39 min ago | 0.94 KB Untitled 49 min ago | 0.94 KB Untitled 59 min ago | 0.94 KB Untitled 1 hour ago | 10.19 KB Untitled 3 hours ago | 13.48 KB create new paste  /  syntax languages  /  archive  /  faq  /  tools  /  night mode  /  api  /  scraping api  /  news  /  pro privacy statement  /  cookies policy  /  terms of service  /  security disclosure  /  dmca  /  report abuse  /  contact By using Pastebin.com you agree to our cookies policy to enhance your experience. Site design & logo © 2026 Pastebin We use cookies for various purposes including analytics. By continuing to use Pastebin, you agree to our use of cookies as described in the Cookies Policy .   OK, I Understand Not a member of Pastebin yet? Sign Up , it unlocks many cool features!  
2026-01-13T09:30:36
http://www.videolan.org/news.html#news-2021-02-01
News - VideoLAN * { behavior: url("/style/box-sizing.htc"); } Toggle navigation VideoLAN Team & Organization Consulting Services & Partners Events Legal Press center Contact us VLC Download Features Customize Get Goodies Projects DVBlast x264 x262 x265 multicat dav1d VLC Skin Editor VLC media player libVLC libdvdcss libdvdnav libdvdread libbluray libdvbpsi libaacs libdvbcsa biTStream vlc-unity All Projects Contribute Getting started Donate Report a bug Support donate donate Donate donate donate VideoLAN, a project and a non-profit organization. News archive VLC 3.0.23 2026-01-08 VideoLAN and the VLC team are publishing the 3.0.23 release of VLC today, which is the 24th update to VLC's 3.0 branch: it updates codecs, adds a dark mode option on Windows and Linux, support for Windows ARM64 and improves support for Windows XP SP3. This is the largest bug fix release ever with a large number of stability and security improvements to demuxers (reported by rub.de, oss-fuzz and others) and updates to most third party libraries. Additional details on the release page . The security impact of this release is detailed here . The major maintenance effort of this release to strengthen VLC's overall stability as well as the compatibility with old releases of Windows and macOS was made possible by a generous sponsorship of the Sovereign Tech Fund by Germany's Federal Ministry for Digital Transformation and Government Modernisation. VLC for iOS, iPadOS and tvOS 3.7.0 2026-01-08 Alongside the 3.0.23 release for desktop, VideoLAN and the VLC team are publishing a larger update for Apple's mobile platforms to include the latest improvements of VLC's 3.0 branch plus important bug fixes and amendments for the 26 versions of the OS. Previously, we added pCloud as a European choice for cloud storage allowing direct streaming and downloads within the app. New releases for biTStream, DVBlast and multicat 2025-12-01 We are pleased to release versions 1.6 of biTStream , 3.5 of DVBlast and 2.4 of multicat . DVBlast and multicat had major improvements and new features. New releases for libdvdcss, libdvdread and libdvdnav 2025-11-09 New releases of libdvdread , libdvdnav and libdvdcss have been published today. The biggest features of those releases (libdvdread/nav 7 and libdvdcss 1.5) are related to DVD-Audio support, including DRM decryption. VLC for Android 3.6.0 2025-01-13 We are pleased to release version 3.6.0 of the VLC version for the Android platform. It comes with the new Remote Access feature, a parental control and a lot of fixes. See our Android page . VLC 3.0.21 2024-06-10 VideoLAN and the VLC team are publishing the 3.0.21 release of VLC today, which is the 22nd update to VLC's 3.0 branch: it updates codecs, adds Super Resolution and VQ Enhancement filtering with AMD GPUs, NVIDIA TrueHDR to generate a HDR representation from SDR sources with NVIDIA GPUs and improves playback of numerous formats including improved subtitles rendering notably on macOS with Asian languages. Additional details on the release page . This release also fixes a security issue, which is detailed here . VLC for iOS, iPadOS and Apple TV 3.5.0 2024-02-16 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding playback history, A to B playback, Siri integration, support for external subtitles and audio tracks, a way to favorite folders on local network servers, improved CarPlay integration and many small improvements. VLC 3.0.20 2023-11-02 Today, VideoLAN is publishing the 3.0.20 release of VLC, which is a medium update to VLC's 3.0 branch: it updates codecs, fixes a FLAC quality issue and improves playback of numerous formats including improved subtitles rendering. It also fixes a freeze when using frame-by-frame actions. On macOS, audio layout problems are resolved. Finally, we update the user interface translations and add support for more. Additional details on the release page . This release also fixes two security issues, which are detailed here and there . VLC for iOS, iPadOS and Apple TV 3.4.0 2023-05-03 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new audio playback interface, CarPlay integration, various improvements to the local media library and iterations to existing features such as WiFi Sharing. Notably, we also added maintenance improvements to the port to tvOS including support for the Apple Remote's single click mode. See the press release for details. VLC 3.0.18 2022-11-29 Today, VideoLAN is publishing the 3.0.18 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . This release also fixes multiple security issues, which are detailed here . VideoLAN supports the UNHCR 2022-10-24 VideoLAN is a de-facto pacifist organization and cares about cross-countries cooperations, and believes in the power of knowledge and sharing. War goes against those ideals. As a response Russia's invasion of Ukraine, we decided to financially support the United Nations High Commissioner for Refugees and their work on aiding and protecting forcibly displaced people and communities, in the places where they are necessary. See our press statement . VLC for Android 3.5.0 2022-07-20 VideoLAN is proud to release the new major version of VLC for Android. It comes with new widgets, network media indexation, a better tablet and foldable support, design improvements in the audio screen, improved accessibility and performance improvements. VLC 3.0.17 2022-04-19 Today, VideoLAN is publishing the 3.0.17 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . VLC for iOS, iPadOS and tvOS 3.3.0 2022-03-21 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new video playback interface, support for NFS and SFTP network shares and major improvements to the media handling especially for audio. See the press release . libbluray releases 2022-03-06 libbluray and related libraries, libaacs and libbdplus, have new releases, focused on maintenance, minor improvements, and notably new OSes and new java versions compatibility. See libbluray , libaacs and libbdplus pages. VLC and log4j 2021-12-15 Since its very early days in 1996, VideoLAN software is written in programming languages of the C family (mostly plain C with additions in C++ and Objective-C) with the notable exception of its port to Android, which was started in Java and recently transitioned to Kotlin. VLC does not use the log4j library on any platform and is therefore unaffected by any related security implications. VLC for Android 3.4.0 2021-09-20 We are pleased to release version 3.4.0 of the VLC version for the Android platforms. Still based on libVLC 3, it revamps the Audio Player and the Auto support, it adds bookmarks in each media, simplifies the permissions and improves video grouping. See our Android page . VLC 3.0.16 2021-06-21 Today, VideoLAN is publishing the 3.0.16 release of VLC, which fixes delays when seeking on Windows, opening DVD folders with non-ASCII character names, fixes HTTPS support on Windows XP, addresses audio drop-outs on seek with specific MP4 content and improves subtitles renderering. It also adds support for the TouchBar on macOS. More details on the release page . VLC 3.0.14, auto update issues and explanations 2021-05-11 VLC users on Windows might encounter issues when trying to auto update VLC from version 3.0.12 and 3.0.13. Find more details here . We are publishing version 3.0.14 to address this problem for future updates. VLC 3.0.13 2021-05-10 VideoLAN is now publishing 3.0.13 release, which improves the network shares and adaptive streaming support, fixes some MP4 audio regressions, fixes some crashes on Windows and macOS and fixes security issues. More details on the release page . libbluray 1.3.0 2021-04-05 A new release of libbluray was pushed today, adding new APIs, to improve the control of the library, improve platforms support, and fix some bugs. See our libbluray page. VideoLAN is 20 years old today! 2021-02-01 20 years ago today, VideoLAN moved from a closed-source student project to the GNU GPL, thanks to the authorization of the École Centrale Paris director at that time. VLC has grown a lot since, thanks to 1000 volunteers! Read our press release! . VLC for Android 3.3.4 2021-01-21 VideoLAN is now publishing the VLC for Android 3.3.4 release which focuses on improving the Chromecast support. Since the 3.3.0 release, a lot of improvements have been made for Android TV, SMB support, RTL support, subtitles picking and stability. . VLC 3.0.12 2021-01-18 VideoLAN is now publishing 3.0.12 release, which adds support for Apple Silicon, improves Bluray, DASH and RIST support. It fixes some audio issues on macOS, some crashes on Windows and fixes security issues. More details on the release page . libbluray 1.2.1 2020-10-23 A minor release of libbluray was pushed today, focused on fixing bugs and improving the support for UHD Blurays. More details on the libbluray page. VLC for Android 3.3 2020-09-23 VideoLAN is proud to release the new major version of VLC for Android. A complete design rework has been done. The navigation is now at the bottom for a better experience. The Video player has also been completely revamped for a more modern look. The video grouping has been improved and lets you create custom groups. You can also easily share your media with your friends. The settings have been simplified and a lot of bugs have been fixed. VLC 3.0.11.1 2020-07-29 Today, VideoLAN is publishing the VLC 3.0.11.1 release for macOS, which notably solves an audio rendering regression introduced in the last update specific to that platform. Additionally, it improves playback of HLS streams, WebVTT subtitles and UPnP discovery. VLC 3.0.11 2020-06-16 VideoLAN is now publishing the VLC 3.0.11 release, which improves HLS playback and seeking certain m4a files as well as AAC playback. Additionally, this solves an audio rendering regression on macOS when pausing playback and adds further bug fixes. Additionally, a security issue was resolved. More information available on the release page . VLC 3.0.10 2020-04-28 VideoLAN is now publishing the VLC 3.0.10 release, which improves DVD, macOS Catalina, adaptive streaming, SMB and AV1 support, and fixes some important security issues. More information available on the release page . We are also releasing new versions for iOS (3.2.8) and Android 3.2.11 for the same security issues. VLC for iOS and tvOS releases 2020-03-31 VideoLAN is publishing updates to VLC on iOS and tvOS, to fix numerous small issues, add passcode protection on the web sharing, and improve the quick actions and the stability of the application. VLC for iOS 3.2.5 release 2019-12-03 VideoLAN is publishing updates to VLC on iOS, to improve support for iOS9 compatibility and add new quick actions and improves the collection handling. libdvdread and libdvdnav releases 2019-10-13 We are publishing today libdvdnav and libdvdread minor releases to fix minor crashes and improving the support for difficult discs. See libdvread page for more information . VLC for iOS 3.2.0 release 2019-09-14 VideoLAN is finally publishing its new major version of iOS, numbered 3.2.0. This update starts the changes for the new interface that will drive the development for the next year. It should give the correct building blocks for the future of the iOS app. VLC 3.0.8 2019-08-19 VideoLAN is now publishing the VLC 3.0.8 release, which improves adaptive streaming support, audio output on macOS, VTT subtitles rendering, and also fixes a dozen of security issues. More information available on the release page . VLC 3.0.7 2019-06-07 After 100 millions downloads of 3.0.6, VideoLAN is releasing today the VLC 3.0.7 release, focusing on numerous security fixes, improving HDR support on Windows, and Blu-ray menu support. VideoLAN would like to thank the EU-FOSSA project from the European Commission, who funded this initiative. More information available on the release page . VLC for Android 3.1 2019-04-08 VideoLAN is happy to present the new major version of VLC for Android platforms. Featuring AV1 decoding with dav1d, Android Auto, Launcher Shortcuts, Oreo/Pie integration, Video Groups, SMBv2, and OTG drive support, but also improvements on Cast, Chromebooks and managing the audio/video libraries, this is a quite large update. libbluray 1.1.0 2019-02-12 VideoLAN is releasing a new major version of libbluray: 1.1.0. It adds support for UHD menus (experimental) , for more recents of Java, and improves vastly BD-J menus. This release fixes numerous small issues reported. libdvdread 6.0.1 2019-02-05 VideoLAN is releasing a new minor version of libdvdread, numbered 6.0.1, fixing minor DVD issues. See libdvdread page for more info. VLC reaches 3 billion downloads 2019-01-12 VideoLAN is very happy to announce that VLC crossed the 3 billion downloads on our website: VLC statistics . Please note that this number is under-estimating the number of downloads of VLC. VLC 3.0.6 2019-01-10 VideoLAN is now publishing the VLC 3.0.6 release, which fixes an important regression that appeared on 3.0.5 for DVD subtitles. It also adds support for HDR in AV1. VLC 3.0.5 2018-12-27 VideoLAN is now publishing the VLC 3.0.5 release, a new minor release of the 3.0 branch. This release notably improves the macOS mojave support, adds a new AV1 decoder and fixes numerous issues with hardware acceleration on Windows. More information available here . VLC 3.0.4 2018-08-31 VideoLAN is publishing the VLC 3.0.4 release, a new minor release of the 3.0 branch. This release notably improves the video outputs on most OSes, supports AV1 codec, and fixes numerous small issues on all OSes and Platforms. More information available here . Update for all Windows versions is strongly advised. VLC 3.0.13 for Android 2018-07-31 VideoLAN is publishing today, VLC 3.0.13 on Android and Android TV. This release fixes numerous issues from the 3.0.x branch and improves stability. VLC 3.1.0 for WinRT and iOS 2018-07-20 VideoLAN is publishing today, VLC 3.1.0 on iOS and on Windows App (WinRT) platforms. This release brings hardware encoding and ChromeCast on those 2 mobile platforms. It also updates the libvlc to 3.0.3 in those platforms. VLC 3.0.3 2018-05-29 VideoLAN is publishing the VLC 3.0.3 release, a new minor release of 3.0. This release is fixing numerous crashes and regressions from VLC 3.0.0, "Vetinari", and it fixes some security issues. More information available here . Update for everyone is advised for this release. VLC 3.0.2 2018-04-23 VideoLAN is publishing the VLC 3.0.2 release, for general availability. This release is fixing most of the important bugs and regressions from VLC 3.0.0, "Vetinari", and improves decoding speed on macOS. More than 150 bugs were fixed since the 3.0.0 release. More information available here . VLC 3.0.1 2018-02-28 VideoLAN and the VLC development team are releasing VLC 3.0.1, the first bugfix release of the "Vetinari" branch, for Linux, Windows and macOS. This version improves the chromecast support, hardware decoding, adaptive streaming, and fixes many bugs or crashes encountered in the 3.0.0 version. In total more than 30 issues have been fixed, on all platforms. More information available here . VLC 3.0.0 2018-02-09 VideoLAN and the VLC development team are releasing VLC 3.0.0 "Vetinari" for Linux, Windows, OS X, BSD, Android, iOS, UWP and Windows Phone today! This is the first major release in three years. It activates hardware decoding by default to get 4K and 8K playback, supports 10bits and HDR playback, 360° video and 3D audio, audio passthrough for HD audio codecs, streaming to Chromecast devices (even in formats not supported natively), playback of Blu-Ray Java menus and adds browsing of local network drives. More info on our release page . VLC 2.2.8 2017-12-05 VideoLAN and the VLC development team are happy to publish version 2.2.8 of VLC media player today. This release fixes a security issue in the AVI demuxer. Additionally, it includes the following fixes, which are part of 2.2.7: This release fixes compatibility with macOS High Sierra and fixes SSA subtitles rendering on macOS. This release also fixes a few security issues, in the flac and the libavcodec modules (heap write overflow), in the avi module and a few crashes. For macOS users, please note: A bug was fixed in VLC 2.2.7 concerning the update mechanism on macOS. In rare circumstances, an auto-update from older versions of VLC to VLC 2.2.8 might not be possible. Please download the update manually from our website in this case. VideoLAN joins the Alliance for Open Media 2017-05-16 The VideoLAN non-profit organization is joining the Alliance for Open Media , to help developing open and royalty-free codecs and other video technologies! More information in our press release: VideoLAN joins Alliance for Open Media . VLC 2.2.5.1 2017-05-12 VideoLAN and the VLC development team are happy to publish version 2.2.5.1 of VLC media player today This fifth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.4, notably video rendering issues on AMD graphics card as well as audio distortion on macOS and 64bit Windows for certain audio files. It also includes updated codecs libraries and improves overall security. Read more about it on our release page . Press release: Wikileaks revelations about VLC 2017-03-09 Following the recent revelations from Wikileaks about the use of VLC by the CIA, you can download the official statement from the VideoLAN organization here . VLC for Android 2.1 beta 2017-02-24 VideoLAN and the VLC development team are happy to publish beta version 2.1 of VLC for Android today It brings 360° video & faster audio codecs passthru support, performances improvements, Android auto integration and a refreshed UX. See all new features and get it VLC for Android 2.0.0 2016-06-21 VideoLAN and the VLC development team are happy to publish version 2.0 of VLC for Android today It supports network shares browsing and playback, video playlists, downloading subtitles, pop-up video view and multiwindows, the new releases of the Android operating system, and merged Android TV and Android packages. Get it now! and give us your feedback. VLC 2.2.4 2016-06-05 VideoLAN and the VLC development team are happy to publish version 2.2.4 of VLC media player today This fourth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.3 for Windows XP and certain audio files. It also includes updated codecs libraries and fixes a security issue when playing specifically crafted QuickTime files as well as a 3rd party security issue in libmad. Read more about it on our release page . VideoLAN servers under maintenance 2016-05-19 Due to unscheduled maintenance on one of our servers, some git repositories , the trac bug tracker and mailing-lists are currently not available. We are restoring the services, but we can't give detailed information when everything will be back online. Note that downloads from this website, git repositories on code.videolan.org , the wiki and the forum are not affected. Important: Any communication send to email addresses on the videolan.org domain (aka yourdude@videolan.org) won't reach the receiver. VLC 2.2.3 2016-05-03 VideoLAN and the VLC development team are happy to publish version 2.2.3 of VLC media player today This third stable release of the "WeatherWax" version of VLC fixes more than 30 important bugs reported on VLC 2.2.2. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Read more about it on our release page . VideoLAN Dev Days 2016 part of QtCon 2016-02-18 2016 is a special year for many FLOSS projects: VideoLAN as open-source project and Free Software Foundation Europe both have their 15th birthday while KDE has its 20th birthday. All these call for celebrations! This year VideoLAN has come together with Qt , FSFE , KDE and KDAB to bring you QtCon , where attendees can meet, collaborate and get the latest news of all these projects. VideoLAN Dev Days 2016 will be organised as part of QtCon in Berlin. The event will start on Friday the 2nd of September with 3 shared days of talks, workshops, meetups and coding sessions. The current plan is to have a Call for Papers in March with the Program announced in early June. VLC 2.2.2 2016-02-06 VideoLAN and the VLC development team are happy to publish version 2.2.2 of VLC media player today This second stable release of the "WeatherWax" version of VLC fixes more than 100 important bugs and security issues reported on VLC 2.2.1. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Finally, this update solves installation issues on Mac OS X 10.11 El Capitan. Read more about it on our release page . 15 years of GPL 2016-02-01 VideoLAN is happy to celebrate with you the 15th anniversary of the birth of VideoLAN and VLC as open source projects! Announcing VLC for Apple TV 2016-01-12 VideoLAN and the VLC team is excited to announce the first release of VLC for Apple TV. It allows you to get access to all your files and video streams in their native formats without conversions, directly on the new Apple device and your TV. You can find details in our press release . libdvdcss 1.4.0 2015-12-24 VideoLAN is proud to announce the release of version 1.4.0 of libdvdcss . This release adds support for network callbacks, to play ISOs over the network, Android support, and cleans the codebase. VLC for iOS 2.7.0 2015-12-22 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds full support for iOS 9 including split screen and iPad Pro, for Windows shares (SMB), watchOS 2, a new subtitles engine, right-to-left interfaces, system-wide search (spotlight), Touch ID protection, and more. It will be available on the App Store shortly. VLC for ChromeOS 2015-12-17 VideoLAN and the Android teams are happy to announce the port of VLC to the ChromeOS operating system. This is the port of the Android version to ChromeOS, using the Android Runtime on Chrome. You can download it now! . VLC for Android 1.7.0 2015-12-01 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.7.0. This release includes a large refactoring that gives a new playlist, new notifications, a new subtitles engine, and uses less permissions. Get it now! . VLC for Android 1.6.0 2015-10-09 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.6.0. Ported to Android 6.0, this release should provide an important performance boost for decoding and the interface. Get it now! . DVBlast 3.0, multicat 2.1, bitstream 1.1 2015-10-07 VideoLAN and the DVBlast teams are happy to present the simultaneous release of DVBlast 3.0, bitstream 1.1 and multicat 2.1! DVBlast and multicat are now ported to OSX and DVBlast 3.0 is a major rewrite with new features like PID/SID remapping and stream monitoring. DVBlast , bitstream and multicat . libbluray 0.9.0 2015-10-04 VideoLAN and the libbluray team are releasing today libbluray 0.9.0. Adding numerous features, notably to better support BD-J menus and embedded subtitles files, it also fixes a few important issues, like font-caching. See more on libbluray page VLC for iOS 2.6.0 2015-06-30 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds support for Apple Watch to remote control and browse the library on iPhone, a mini player and large number of improvements through-out the app. It will be available on the App Store shortly. libbluray 0.8.0, libaacs 0.8.1 released 2015-04-30 The 2 VideoLAN Blu-Ray libraries have been released: libbluray 0.8.0 , libaacs 0.8.1 . These releases add support for ISO files, BD-J JSM and virtual devices. VLC 2.2.1 2015-04-16 VideoLAN and the VLC development team are releasing today VLC 2.2.1, named "Terry Pratchett". This first stable release of the "WeatherWax" version of VLC fixes most of the important bugs reported of VLC 2.2.0. VLC 2.2.0, a major version of VLC, introduced accelerated auto-rotation of videos, 0-copy hardware acceleration, support for UHD codecs, playback resume, integrated extensions and more than 1000 bugs and improvements. 2.2.0 release was the first release to have versions for all operating systems, including mobiles (iOS, Android, WinRT). More info on our release page VLC for Android 1.2.1, for WinRT & Windows Phone 1.2.1 and for iOS 2.5.0 2015-03-27 VideoLAN and the VLC development team are happy to release updates for all three mobile platforms today. VLC for Android received support for audio playlists, improved audio quality, improvements to the material design interface, including the black theme and switch to audio mode. Further, it is a major update for Android TV adding support for media discovery via UPnP, with improvements for recommendations and gamepads. VLC for Windows Phone and WinRT received partial hardware accelerated decoding allowing playback of HD contents of certain formats as well as further iterations on the user interface. For VLC for iOS, we focused on improved cloud integration adding support for iCloud Drive, OneDrive and Box.com, a 10-band equalizer as well as sharing of the media library on the local network alongside an improved playback experience. All updates will be available on the respective stores later today. We hope that you like them as much as we do. VLC 2.2.0 2015-02-27 VideoLAN and the VLC development team are releasing VLC 2.2.0 for most OSes. We're releasing the desktop version for Linux, Windows, OS X, BSD, and at the same time, Android, iOS, Windows RT and Windows Phone versions. More info on our release page and press release . libbluray 0.7.0, libaacs 0.8.0 and libbdplus 0.1.2 released 2015-01-27 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.7.0 , libaacs 0.8.0 and libbdplus 0.1.2 library. Those releases notably improves BD-J support, fonts support and file-system access. VLC for Android 0.9.9 2014-09-05 VideoLAN and the VLC development team are happy to present a new release for Android. This focuses on fixing crashes, better decoding and update of translations. More info in the release notes and download page . VLC 2.1.5 2014-07-26 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. This fixes a few bugs and security issues in third-party libraries, like GnuTLS and libpng. More info on our release page libbluray, libaacs and libbdplus release 2014-07-13 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.6.0 , libaacs 0.7.1 and libbdplus 0.1.1 library. Those releases notably add correct support for BD-J , the Java interactivity layer of Blu-Ray Discs. VLC for Android 0.9.7 2014-07-06 VideoLAN and the VLC development team are happy to present a new release for Android today. It improves a lot DVD menus and navigation, adds compatibility with Android L, fixes a few UI crashes and updates the translations. More info in the release notes . VLC for Android 0.9.5 2014-06-13 VideoLAN and the VLC development team are happy to present a new release for Android today. It adds support for DVD menus, a new VLC icon, tutorials and numerous fixes for crashes. More info in the release notes . VLC for iOS 2.3.0 2014-04-18 VideoLAN and the VLC development team are happy to present a new release for iOS today. It adds support for folders to group media, more options to customize playback, improved network interaction in various regards, many small but noticeable improvements as well as 3 new translations. More info in the release notes . VideoLAN announces distributed codec and conecoins! 2014-04-01 VideoLAN and the VLC development team are happy to present their new distributed codec, named CloudCodet ! To help smartphones users, this codec allows powerful computers to decode for other devices and the CPU-sharers will mine some conecoin , a new cone-shaped crypto-currency, in reward. More info on our press page VLC 2.1.4 and 2.0.10 2014-02-21 VideoLAN and the VLC development team are happy to present two updates for Mac OS X today. Version 2.1.4 solves an important DVD playback regression, while 2.0.10 accumulates a number of small improvements and bugfixes for older Macs based on PowerPC or 32-bit Intel CPUs running OS X 10.5. VLC 2.1.3 2014-02-04 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. Fixing multiple bugs and regressions introduced in 2.1.0, 2.1.1 and 2.1.2, notably on audio and video outputs, decoders and demuxers More info on our release page libbluray, libaacs and libbdplus release 2013-12-24 Several Blu-Ray related libraries have been released: libbluray 0.5.0 , libaacs 0.7.0 and the new libbdplus library. VLC 2.1.2 2013-12-10 VideoLAN and the VLC development team are proud to present the second minor version of the VLC 2.1.x branch. Fixing many bugs and regressions introduced in 2.1.0, notably on audio device management and SPDIF/HDMI pass-thru. More info on our release page VLC 2.1.1 2013-11-14 VideoLAN and the VLC development team are proud to present the first minor version of the VLC 2.1.x branch. Fixing a numerous number of bugs and regressions introduced in 2.1.0, it also adds experimental HEVC and VP9 decoding and improves VLC installer on Windows. More info on our release page VLC 2.0.9 2013-11-05 VideoLAN and the VLC development team are glad to present a new minor version of the VLC 2.0.x branch. Mostly focused on fixing a few important bugs and security issues, this version is mostly needed for Mac OS X, notably for PowerPC and Intel32 platforms that cannot upgrade to 2.1.0. VLC 2.1.0 2013-09-26 VideoLAN and the VLC development team are glad to present the new major version of VLC, 2.1.0, named Rincewind With a new audio core, hardware decoding and encoding, port to mobile platforms, preparation for Ultra-HD video and a special care to support more formats, 2.1 is a major upgrade for VLC. Rincewind has a new rendering pipeline for audio, with better effiency, volume and device management, to improve VLC audio support. It supports many new devices inputs, formats, metadata and improves most of the current ones, preparing for the next-gen codecs. More info on our release page . VLC for iOS version 2.1 2013-09-06 VideoLAN and the VLC for iOS development team are happy to present version 2.1 of VLC for iOS, a first major update to this new port adding support for subtitles in non-western languages, basic UPNP discovery and streaming, FTP server discovery, streaming and downloading, playback of audio-only media, a newly implemented menu and application flow as well as various stability improvements, minor enhancements and additional translations. VLC 2.0.8 and 2.1.0-pre2 2013-07-29 VideoLAN and the VLC development team are happy to present VLC 2.0.8, a security update to the "Twoflower" family, and VLC 2.1.0-pre2, the second pre-version of VLC 2.1.0. You can find info about 2.0.8 in the release notes . VLC 2.1.0-pre2 is a test version of the next major version of VLC, named "Rincewind", intended for advanced users. If you're brave, you can try it now! NB: The first binaries of 2.0.8 for Win32 and Mac were broken. Please re-download them. VLC 2.0.7 2013-06-10 VideoLAN and the VLC development team are happy to present the eighth version of "Twoflower", a minor update that improves the overall stability. Notable changes include fixes for audio decoding, audio encoding, small security issues, regressions, fixes for PowerPC, Mac OS X and new translations. More info in the release notes . VLC 2.0.6 2013-04-11 VideoLAN and the VLC development team are happy to present the seventh version of "Twoflower", a minor update that improves the overall stability. Notable changes include support for Matroska v4, improved reliability for ASF, Ogg, ASF and srt support, fixed GPU decoding on Windows on Intel GPU, fixed ALAC and FLAC decoding, and a new compiler for Windows release. More info in the release notes . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VLC fundraiser for Windows 8, RT and Phone ended 2012-12-29 Today, the fundraising campaign for for Windows 8, RT and Phone run by some VideoLAN team members ended. Their goal was successfully reached and they announced to start working on the new ports right away. Find out more . VLC 2.0.5 2012-12-15 VideoLAN and the VLC development team are happy to present the sixth version of "Twoflower", a minor update that improves the overall stability. Notable changes include improved reliability for MKV file playback, fixed MPEG2 audio and video encoding, pulseaudio synchronization, Mac OS interface, and other fixes. It also resolves potential security issues in HTML subtitle parser, freetype renderer, AIFF demuxer and SWF demuxer. More info in the release notes . We would like to remind our users that some VideoLAN team members are trying to raise money for VLC for Windows Metro on Kickstarter . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VideoLAN Security Advisory 1203 2012-11-02 VLC media player versions 2.0.3 and older suffer from a critical buffer overflow vulnerability. Refer to our advisory for technical details. A fix for this issue is already available in VLC 2.0.4. We strongly recommend all users to update to this new version. VLC 2.0.4 2012-10-18 VideoLAN and the VLC development team present the fifth version of "Twoflower", a major update that fixes a lot of regressions, issues and security issues in this branch. It introduces Opus support, improves Youtube, Vimeo streams and Blu-Ray dics support. It also fixes many issues in playback, notably on Ogg and MKV playback and audio device selections and a hundred of other bugs. More info in the release notes . Updated 2.0.3 builds for Mac OS X 2012-08-01 A small number of users on specific setups experienced audio issues with the latest version of VLC media player for Mac OS X. If you are affected, please download VLC again and replace the existing installation. If you're not, there is nothing to do. VideoLAN at FISL 2012-07-19 Next week, we will give two talks about VideoLAN and VLC media player at the 13° Fórum Internacional Software Livre in Porto Alegre, Brazil. This is the first time VideoLAN members attend a conference in South America. We are looking forward to it and hope to see you around. VLC 2.0.3 2012-07-19 VideoLAN and the VLC development are proud to present a minor update adding support for OS X Mountain Lion as well as improving VLC's overall stability on OS X. Additionally, this version includes updates for 18 translations and adds support for Uzbek and Marathi. For MS Windows, you can update manually if you need the translation updates. VLC 2.0.2 2012-07-01 After more than 100 million downloads of VLC 2.0 versions, VideoLAN and the VLC development team present the third version of "Twoflower", a major update that fixes a lot of regressions in this branch. It introduces an important number of features for the Mac OS X platform, notably interface improvements to be on-par with the classic VLC interface, better performance and Retina Display support. VLC 2.0.2 fixes the video playback on older devices both on MS Windows and Mac OS X, includes overall performance improvements and fixes for a couple of hundreds of bugs. More info in the release notes . World IPv6 Launch 2012-06-04 The VideoLAN organization is taking part in the World IPv6 launch on June 6. All services including the website, the forums, the bugtracker and the git server are now accessible via IPv6. VideoLAN at LinuxTag 2012-05-21 We will presenting VLC and other VideoLAN projects at LinuxTag in Berlin this week (booth #167, hall 7.2a). Come around and have a look at our latest developments! Of course, we will also be present during LinuxNacht, in case that you prefer to share a beer with us. 1 billion thank you! 2012-05-09 VideoLAN would like to thank VLC users 1 billion times, since VLC has now been downloaded more than 1 billion times from our servers, since 2005! Get the numbers ! VLC 2.0.1 2012-03-19 After 15 million downloads of VLC 2.0.0 versions, VideoLAN and the VLC development team present the second version of "Twoflower", a bugfix release. Support for MxPEG files, new features in the Mac OS X interface are part of this release, in addition to faster decoding and fixes for hundred of bugs and regression, notably for HLS, MKV, RAR, Ogg, Bluray discs and many other things. This is also a security update . More info on the release notes . VLC 2.0.0 2012-02-18 After 485 million downloads of VLC 1.1.x versions, VideoLAN and the VLC development team present VLC 2.0.0 "Twoflower", a major new release. With faster decoding on multi-core, GPU, and mobile hardware and the ability to open more formats, notably professional, HD and 10bits codecs, 2.0 is a major upgrade for VLC. Twoflower has a new rendering pipeline for video, with higher quality subtitles, and new video filters to enhance your videos. It supports many new devices and BluRay Discs (experimental). It features a completely reworked Mac and Web interfaces and improvements in the other interfaces make VLC easier than ever to use. Twoflower fixes several hundreds of bugs, in more than 7000 commits from 160 volunteers. More info on the release notes . VideoLAN at SCALE 10x 2012-01-15 VideoLAN will have a booth (#74) at the Southern California Linux Expo at the Hilton Los Angeles Airport Hotel next week-end. The event will take place from Friday throughout Sunday. We will happily show you the latest developments and our forthcoming major VLC update. multicat 2.0 2012-01-04 VideoLAN is happy to announce the second major release of multicat . It brings numerous new features, such as recording chunks of a stream in a directory, and supporting TCP socket and IPv6, as well as bug fixes. Also aggregaRTP was extended to support retransmission of lost packets. DVBlast 2.1 2012-01-04 VideoLAN is happy to announce version 2.1 of DVBlast . It is a bugfix release, fixing in particular a problem with MMI menus present in 2.0. VLC engine relicensed to LGPL 2011-12-21 As previously stated , VideoLAN worked on the relicensing of libVLC and libVLCcore: the VLC engine. We are glad to announce that this process is now complete for VLC 1.2. Thanks a lot for the support. VLC 1.1.13 2011-12-20 VideoLAN and the VLC development team present VLC 1.1.13, a bug and security fix release. This release was necessary due to a security issue in the TiVo demuxer . Source code is available. DVBlast 2.0 and biTStream 1.0 2011-12-15 VideoLAN is happy to announce DVBlast 2.0, the fourth major release of DVBlast . It fixes a number of issues, such as packet bursts and CAM communication problems, adds more configuration options, and improves dvblastctl with stream information. It also gets rid of the runtime dependency on libdvbpsi thanks to biTStream. VideoLAN is also happy to introduce the first public release of biTStream , a set of C headers allowing a simpler access (read and write) to binary structures such as specified by MPEG, DVB, IETF, etc... It is released under the MIT license to avoid readability concerns being shadowed by license issues. It already has a pretty decent support of MPEG systems packet structures, MPEG PSI, DVB SI, DVB simulcast and IETF RTP. libaacs 0.3.0 2011-12-02 The doom9 researchers and the libaacs developers would like to present the first official release of their library of the implementation of the libaacs standard. libaacs 0.3.0 source code can be downloaded on the VideoLAN download service . Nota Bene: This library is of no use without AACS keys. libbluray 0.2.1 2011-11-30 VideoLAN and the libbluray developers would like to present the first official release of their library to help playback of Blu-Ray for open source systems. libbluray 0.2.1 source code can be downloaded on the VideoLAN ftp . VLC 1.1.12 2011-10-06 VideoLAN and the VLC development team present VLC 1.1.12, a bug and security fix release with improvements for audio output on Mac OS X and with PulseAudio. This release was necessary due to a security issue in the HTTP and RTSP server components, though this does not affect standard usage of the player. Binaries for Mac OS X and sources are available. Changing the VLC engine license to LGPL 2011-09-07 During the third VideoLAN Dev Days , last weekend in Paris, numerous developers approved the process of changing the license of the VLC engine to LGPL 2.1 (or later). This is the beginning of the process and will require the authorization from all the past contributors. See our press release on this process. libdvbpsi 0.2.1 2011-09-01 The libdvbpsi development team release version 0.2.1 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.1 is a bugfix release which corrects minor issues in libdvbpsi. For more information on features visit libdvbpsi main page . Invitation to VDD11 2011-08-15 VideoLAN would like to invite you to join us at the VideoLAN Dev Days 2011. This technical conference about open source multimedia, will see developers from VLC, libav, FFmpeg, x264, Phonon, DVBlast, PulseAudio, KDE, Gnome and other projects gather to discuss about open source development for multimedia projects. It will be held in Paris, France, on September 3rd and 4th , 2011. See more info, on the dedicated page. VLC 1.1.11 2011-07-15 VideoLAN and the VLC development team present VLC 1.1.11, a security release with some other improvements. This release was necessary due to two security issues in the real and avi demuxers. It also contains improvements in the fullscreen mode of the Win32 mozilla plugin, the MacOSX Media Key handling and Auhal audio output as well as bug fixes in GUI, decoders and demuxers.. Source and binaries builds for Windows and Mac are available. VLC 1.1.10.1 2011-06-16 Shortly after VLC 1.1.10, VideoLAN and the VLC development team present version 1.1.10.1, which includes small fixes for the Mac OS X port such as disappearing repeat buttons and restored Freebox TV access. Additionally, the installation size was reduced by up to 30 MB. See the release notes for more information on the additional improvements included from VLC 1.1.10. VLC 1.1.10 2011-06-06 VideoLAN and the VLC development team present VLC 1.1.10, a minor release of the 1.1 branch. This release, 2 months after 1.1.9, was necessary because some security issues were found (see SA 1104 ), and the VLC development team cares about security. This release brings a rewritten pulseaudio output, an important number of small Mac OS X fixes, the removal of the font-cache building for the freetype module on Windows and updates of codecs. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.10. libdvbpsi 0.2.0 2011-05-05 The libdvbpsi development team release version 0.2.0 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.0 marks a license change from GPLv2 to LGPLv2.1 . For more information on features visit libdvbpsi main page . Phonon VLC 0.4.0 2011-04-27 VideoLAN would like to point out that the Phonon team has released Phonon VLC 0.4.0 . The new version of the best backend for the Qt multimedia library features much improved stability, more video features and control as well as completely redone streaming input capabilities. You can read more on Phonon VLC 0.4.0 in the release announcement ! VLC 1.1.9 2011-04-12 VideoLAN and the VLC development team present VLC 1.1.9, a minor release of the 1.1 branch. This release, not long after 1.1.8, was necessary because some security issues were found, and the VLC development team cares about security. This release also brings updated translations and a lot of small Mac OS X fixes. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.9. libdvbcsa 1.1.0 is now out! 2011-04-03 libdvbcsa's new versions brings major speed improvements and optimizations of key schedules. It also fixes minor issues. You can get it now on our FTP or on the main libdvbcsa page! A new year of Google Summer of Code 2011-03-28 Instead of having a lousy student summer internship, why not working for VideoLAN and have an impact on millions of people world-wide? The Google Summer of Code program is starting soon and you should send your applications before April 8th 2011, 19:00 UTC, on the webapplication . You shouldn't wait for the last minute and we would like to remember that application can be modified afterwards and that you can submit multiple applications. Join the team now! VLC 1.1.8 and anti-virus software 2011-03-25 Yet again, broken anti-virus software flag the latest version of VLC on Windows as a malware. This is, once again, a false positive . As some of the anti-virus makers plainly refuse to fix their code, we recommend to our users to stop using Kaspersky , AVL , TheHacker or AVG . Users are advised to use the free Antivir or the new Microsoft Security Essential . Moreover , we advise users to download VLC only from videolan.org , as very numerous scam websites have appeared lately. VLC 1.1.8 2011-03-23 VideoLAN and the VLC development team present VLC 1.1.8, a minor release of the 1.1 branch. Small new features, many bugfixes, updated translations and security issues are making this release too. Notable improvements include updated look on Mac, new Dirac encoder, new VP8/Webm encoder, and numerous fixes in codecs, demuxers, interface, subtitles auto-detection, protocols and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.8. CeBit and 10 years of open source... 2011-02-28 The VideoLAN project and organization would like to thank everyone for the support during this month for our 10 years We'd like to invite you to meet us at the CeBIT , starting from tomorrow, in the open source lounge, Hall 2, Stand F44 . 10 years of open source for VideoLAN: end of 10 days... 2011-02-12 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 6 showed a selection of extensions ; Day 7 detailed a few secret features ; Day 8 showed a few nice cones ; Day 9 detailed our committers and download numbers ; Day 10 showed of a showed a promotionnal video . Please join the celebration! 10 years of open source for VideoLAN: continued... 2011-02-07 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 1 spoke about the early history of the project ; Day 2 spoke about the website design ; Day 3 showed a cool video ; Day 4 listed our preferred skins ; Day 5 showed of a photo of the team at the FOSDEM ; Day 6 (one day late) showed a selection of extensions . Please join the celebration! New website design 2011-02-02 As you might have seen, we've change the design of the main website . The website design was done by Argon and this project was sponsored by netzwelt.de . VLC 1.1.7 2011-02-01 VideoLAN and the VLC development team present VLC 1.1.7, a small security update on 1.1.6. Small new features, many bugfixes, updated translations and security issues were making the 1.1.6 release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.6. Source was available yesterday; binaries for Windows and Mac OS X are now available. 10 years of open source for VideoLAN 2011-02-01 The VideoLAN project and organization are proud to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software, that happened exactly 10 years ago. To celebrate, small infos, stories and goodies will be posted in the next ten days on this site . Day 1 speaks about the early history of the project Please join the celebration! VLC 1.1.6 2011-01-23 VideoLAN and the VLC development team are proud to present VLC 1.1.6, the sixth bugfix release of the VLC 1.1.x branch. Small new features, many bugfixes, updated translations and security issues are making this release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information. NB: The first versions for Intel-based Macs (64bit and Universal Binary) included a rtsp streaming bug, which also hindered access to the Freebox. Please re-download. End of support for VLC 1.0 series 2011-01-22 The VideoLAN team ceases all form of support for VLC media player versions 1.0.x. Focusing maintenance efforts on the current VLC 1.1 versions, and further development on the upcoming VLC 1.2 series, the VideoLAN team will not deliver any further update for VLC versions 1.0.x (last release was 1.0.6), and VLC 0.9.x (last release was 0.9.10). VLC 1.1.6 will be released shortly. This release will introdu
2026-01-13T09:30:36
https://libc.llvm.org/full_cross_build.html#id4
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:36
https://alive2.llvm.org/#load-history-diff-display
Compiler Explorer Add... Source Editor Diff View More Settings Reset UI layout Reset code and UI layout Open new tab History Thanks for using Compiler Explorer × Sponsors Share Other Become a Patron Sponsor on GitHub Donate via PayPal Source on GitHub Mailing list Installed libraries Wiki Report an issue How it works Contact the author About the author Changelog Version tree Short Short Full   Embedded  Save/Load  Add new... Compiler Execution only Conformance view Source editor   Vim  CppInsights  Quick-bench Popular arguments  Output... Compile to binary Run the compiled output Intel asm syntax Demangle identifiers  Filter... Unused labels Library functions Directives Comments Horizontal whitespace  Libraries  Add new... Clone compiler Optimization output AST output IR output GCC Tree/RTL output Graph output  Add tool...  Output  ( 0 / 0 )  Libraries  Compilation  Arguments  Stdin  Compiler output Wrap lines Wrap lines  Arguments  Stdin Left:  Right:  Tree pass RTL pass Nav Physics  Add compiler  Libraries No libs configured for this language yet. You can suggest us one at any time  Load and save editor text × Examples Browser-local storage Browser-local history File system Load from examples: Load from browser-local storage: Save to browser-local storage Load from browser-local history: Load/save to your system Load from a local file Save to file Close Something alert worthy × Close Well, do you or not? × No Yes Compiler Explorer Settings × These settings control how Compiler Explorer acts for you. They are not preserved as part of shared URLs, and are persisted locally using browser local storage. Site behaviour Default language  Allow my source code to be temporarily stored for diagnostic purposes in the event of an error Theme  Use last selected language when opening new Editors Show community events Keybindings Vim Editor Desired Font Family in editors Enable font ligatures Automatically insert matching brackets and parentheses Automatically indent code (reload page after changing) Highlight linked code lines on hover Show asm description on hover Show quick suggestions Use custom context menu Show editor minimap Keep editor source on language change Use spaces for indentation  Tab width  Format based on  Make Ctrl + S  save to local file instead of creating a share link Enable Word Wrapping Compilation Compile automatically when source changes Delay before compiling:  0.25s   3s Colourise lines to show how the source maps to the output Colour scheme  Close  Read the new cookie policy Compiler Explorer uses cookies and other related techs to serve you  Consent  Don't consent Share embedded × Read Only Hide Editor Toolbars History × History Diff   Inline diff Close
2026-01-13T09:30:37
http://www.stochastictechnologies.com/css/css/contact/
Welcome - Stochastic Technologies Stochastic Technologies A software agency Home Software Development Quality Assurance Contact The Company Do you have a solid business plan and need the technical know-how to bring it to fruition? We provide software development and ongoing quality assurance services. With decades of experience in web development, we can help you design, develop and iterate your business applications, from conception to market fit. We focus on delivering solutions that fit your specific business case, making sure they are extensible and maintainable well into the future. The Details You handle the business, we handle the technicalities. We take care of the all the technical needs so you can focus on what you do best: Growing your business. Development From desktop to web to mobile, we have developed for it all. Whatever your business needs, our diverse development team can deliver. Design/UX Good software means good UX. We can help improve your application's visuals and interactions, to increase user retention and satisfaction. Quality Assurance Quality doesn't stop at deployment. Our experienced QA department is at your disposal to continuously test your application and find potential problems before your users do. Consultancy Even if you already have established teams, we can help with problematic areas. Whether you need to scale or improve development processes, our consultancy arm is there for you. Contact Us The Endorsements Sokratis Papafloratos, Togethera Stochastic has been an invaluable advisor from the early stages of our company all the way to thousands of users. Andrew Hoehn, Echo Factory It seems like the more challenging the project is, the more excited the Stochastic team is to create a solution. Josh Wright, Silent Circle Knowledgeable, professional and competent, Stochastic have been a pleasure to work with. Contact Let's talk. Send us an email and let us solve your problems. Email You can send us good, old-fashioned, convenient email at: info@stochastic.io Otherwise, you can use our contact form . Address Stochastic Technologies 5th Floor, Genesis Building, Genesis Close George Town, Grand Cayman Cayman Islands, KY1-1106 GitHub You can find our open-source work on our GitHub: https://github.com/stochastic-technologies/
2026-01-13T09:30:37
https://bifromq.apache.org/docs/1.0.x/category/introduction/#__docusaurus_skipToContent_fallback
Introduction | An Open Source Apache MQTT Broker | Apache BifroMQ (Incubating) Skip to main content Apache BifroMQ (Incubating) Docs Community Download FAQ 1.0.x Next (Incubating) 3.3.x 3.2.x 3.1.x 3.0.x 2.1.x 2.0.0 1.0.x ASF Foundation License Events Privacy Security Sponsorship Thanks Code of Conduct BifroMQ Introduction Features List Get Started Install & Deploy Configuration User Guide Plugin Operations Best Practices FAQ MQTT Test Report BifroMQ Inside This is documentation for An Open Source Apache MQTT Broker | Apache BifroMQ (Incubating) 1.0.x , which is no longer actively maintained. For up-to-date documentation, see the latest version ( Next (Incubating) ). Introduction Version: 1.0.x Introduction BifroMQ overview introduction, features list, system limitations, release log, etc. 📄️ Features List * Full support for MQTT 3.1, 3.1.1 (MQTT5 support coming soon) features over TCP, TLS, WS, WSS Previous BifroMQ Next Features List Apache BifroMQ is an effort undergoing incubation at The Apache Software Foundation (ASF), sponsored by the Apache Incubator. Incubation is required of all newly accepted projects until a further review indicates that the infrastructure, communications, and decision making process have stabilized in a manner consistent with other successful ASF projects. While incubation status is not necessarily a reflection of the completeness or stability of the code, it does indicate that the project has yet to be fully endorsed by the ASF. Copyright © 2025 The Apache Software Foundation, Licensed under the Apache License, Version 2.0. Apache, the names of Apache projects, and the feather logo are either registered trademarks or trademarks of the Apache Software Foundation in the United States and/or other countries.
2026-01-13T09:30:37
https://www.hcaptcha.com/post/waf-failures.html
Your WAF Probably Won't Stop Distributed Attacks | Blog - hCaptcha Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In ← Back to Blog Attack Prevention Your WAF Probably Won't Stop Distributed Attacks July 14, 2025 Share WAFs often tout their ability to stop scaled attacks, but the tools attackers use have changed. Renting millions of IPs is cheaper and easier than ever before. Every month we see an article about record-breaking DDoS attacks being mitigated by one WAF vendor or another, and this is useful work. However, most online attacks are not DDoS. In fact, they depend on the target site being available. Credential stealing, account takeover attempts, card testing, and SMS pumping abuse all fit this profile, and WAFs are generally quite bad at detecting anything except the most naive attacks in our experience. One reason for this is the ready availability of residential proxy services. These services pool tens of millions of IPs and resell them. Where they get the IPs varies widely, from payments to ISPs to router malware,  "free" proxy services that resell users' bandwidth, or install-to-earn apps. These apps are often injected by desktop or mobile malware, or included by disreputable app developers to monetize users' traffic. In all cases, the end result is the same: criminals attempting to abuse online services gain a simple way to abuse millions to tens of millions of IPs. ‍ WAFs are unable to detect residential proxies reliably. in our experience, scaled attacks by individual attackers can use millions to tens of millions of IPs, with request-per-IP rates as low as one request per day per IP. Because these IPs are often in use by real people at the same time (e.g. a person with proxy malware on their desktop is also browsing the web), WAFs cannot reliably distinguish them. ‍ hCaptcha Enterprise can. For example, a recent scaled attack on an hCaptcha customer used nearly 9 million IPs within 24 hours, but made only one or two requests per IP. The customer's WAF (provided by a top 3 security CDN) marked less than 10% of this traffic as suspicious, but hCaptcha detected ~100% of the requests as malicious. ‍ Wonder why? If you work on an online service subject to these kinds of attacks and would like to hear more, reach out to us . hCaptcha Enterprise is the choice of category leaders in every industry, and we'd like to help you too. ‍ Subscribe to our newsletter Stay up to date on the latest trends in cyber security. No spam, promise. Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. ← Back to blog Research Report: Browser Agent Safety is an Afterthought for Vendors We tested agents on 20 of the most common abuse scenarios, from multi-accounting to card testing and support impersonation. Across the board, these products attempted nearly every malicious request. October 28, 2025 Research Are all residential proxy services criminal organizations? An in-depth analysis of the residential proxy service industry, revealing a significant disconnect between its purported legitimate uses and actual observed traffic. July 31, 2025 Announcements How hCaptcha Stayed Up When Cloudflare and Google Went Down Google and Cloudflare suffered multi-hour outages this week, taking reCAPTCHA, Turnstile, and many of their other services offline. hCaptcha was unaffected. Here's how we did it. June 13, 2025 Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://l.facebook.com/l.php?u=https%3A%2F%2Fwww.instagram.com%2F&h=AT12dSut-cph7jxcMB_qD1BsV6xCpoTy7l7TrXy7Fg_3TfOEZmrR9L--_1L9bWzB1KgiqEuVW5CsDAxivqwHBzXE09mD4pKiKSjDdVK-jTCmeVWgxEVkfS1emAochF6CNqEsCBVH1f--A6Vr
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:37
https://libc.llvm.org/full_cross_build.html#id5
Full Cross Build — The LLVM C Library Full Cross Build ¶ Table of Contents Standalone cross build Bootstrap cross build Building for bare metal Building for the GPU Note Fullbuild requires running headergen, which is a python program that depends on pyyaml. The minimum versions are listed on the Generating Public and Internal headers page, as well as additional information. In this document, we will present recipes to cross build the full libc. When we say cross build a full libc, we mean that we will build the full libc for a target system which is not the same as the system on which the libc is being built. For example, you could be building for a bare metal aarch64 target on a Linux x86_64 host . There are two main recipes to cross build the full libc. Each one serves a different use case. Below is a short description of these recipes to help users pick the recipe that best suites their needs and contexts. Standalone cross build - Using this recipe one can build the libc using a compiler of their choice. One should use this recipe if their compiler can build for the host as well as the target. Bootstrap cross build - In this recipe, one will build the clang compiler and the libc build tools for the host first, and then use them to build the libc for the target. Unlike with the standalone build recipe, the user does not have explicitly build clang and other build tools. They get built automatically before building the libc. One should use this recipe if they intend use the built clang and the libc as part of their toolchain for the target. The following sections present the two recipes in detail. Standalone cross build ¶ In the standalone crossbuild recipe, the system compiler or a custom compiler of user’s choice is used to build the libc. The necessary build tools for the host are built first, and those build tools are then used to build the libc for the target. Both these steps happen automatically, as in, the user does not have to explicitly build the build tools first and then build the libc. A point to keep in mind is that the compiler used should be capable of building for the host as well as the target. CMake configure step ¶ Below is the CMake command to configure the standalone crossbuild of the libc. $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> cmake ../runtimes \ -G Ninja \ -DLLVM_ENABLE_RUNTIMES = libc \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLIBC_TARGET_TRIPLE = <Your target triple> \ -DCMAKE_BUILD_TYPE = <Release | Debug> We will go over the special options passed to the cmake command above. Enabled Runtimes - Since we want to build LLVM-libc, we list libc as the enabled runtime. The full build option - Since we want to build the full libc, we pass -DLLVM_LIBC_FULL_BUILD=ON . The target triple - This is the target triple of the target for which we are building the libc. For example, for a Linux 32-bit Arm target, one can specify it as arm-linux-eabi . Build step ¶ After configuring the build with the above cmake command, one can build the the libc for the target with the following command: $> ninja libc libm The above ninja command will build the libc static archives libc.a and libm.a for the target specified with -DLIBC_TARGET_TRIPLE in the CMake configure step. Bootstrap cross build ¶ In this recipe, the clang compiler is built automatically before building the libc for the target. CMake configure step ¶ $> cd llvm-project # The llvm-project checkout $> mkdir build $> cd build $> C_COMPILER = <C compiler> # For example "clang" $> CXX_COMPILER = <C++ compiler> # For example "clang++" $> TARGET_TRIPLE = <Your target triple> $> cmake ../llvm \ -G Ninja \ -DCMAKE_C_COMPILER = $C_COMPILER \ -DCMAKE_CXX_COMPILER = $CXX_COMPILER \ -DLLVM_ENABLE_PROJECTS = clang \ -DLLVM_ENABLE_RUNTIMES = libc \ -DLLVM_LIBC_FULL_BUILD = ON \ -DLLVM_RUNTIME_TARGETS = $TARGET_TRIPLE \ -DCMAKE_BUILD_TYPE = Debug Note how the above cmake command differs from the one used in the other recipe: clang is listed in -DLLVM_ENABLE_PROJECTS and libc is listed in -DLLVM_ENABLE_RUNTIMES . The CMake root source directory is llvm-project/llvm . The target triple is specified with -DLLVM_RUNTIME_TARGETS . Build step ¶ The build step is similar to the other recipe: $> ninja libc The above ninja command should build the libc static archives for the target specified with -DLLVM_RUNTIME_TARGETS . Building for bare metal ¶ To build for bare metal, all one has to do is to specify the system component of the target triple as none . For example, to build for a 32-bit arm target on bare metal, one can use a target triple like arm-none-eabi . Other than that, the libc for a bare metal target can be built using any of the three recipes described above. Building for the GPU ¶ To build for a GPU architecture, it should only be necessary to specify the target triple as one of the supported GPU targets. Currently, this is either nvptx64-nvidia-cuda for NVIDIA GPUs or amdgcn-amd-amdhsa for AMD GPUs. More detailed information is provided in the GPU documentation . libc Navigation Status & Support Implementation Status Architecture Support Platform Support Compiler Support Simple Usage Getting Started Advanced Usage Full Host Build Full Cross Build Overlay Mode libc for GPUs libc for UEFI Configure Options Hand-in-Hand Development LLVM-libc Maintainers Building and Testing the libc Developer Guides Bringup on a New OS or Architecture Contributing to the libc Project Useful Links Talks Source Code Bug Reports Discourse Join the Discord Discord Channel Buildbot Related Topics Documentation overview Previous: Full Host Build Next: Overlay Mode Quick search ©2011-2026, LLVM Project. | Powered by Sphinx 7.2.6 & Alabaster 0.7.12 | Page source
2026-01-13T09:30:37
http://www.stochastictechnologies.com/css/css/css/software/
Welcome - Stochastic Technologies Stochastic Technologies A software agency Home Software Development Quality Assurance Contact The Company Do you have a solid business plan and need the technical know-how to bring it to fruition? We provide software development and ongoing quality assurance services. With decades of experience in web development, we can help you design, develop and iterate your business applications, from conception to market fit. We focus on delivering solutions that fit your specific business case, making sure they are extensible and maintainable well into the future. The Details You handle the business, we handle the technicalities. We take care of the all the technical needs so you can focus on what you do best: Growing your business. Development From desktop to web to mobile, we have developed for it all. Whatever your business needs, our diverse development team can deliver. Design/UX Good software means good UX. We can help improve your application's visuals and interactions, to increase user retention and satisfaction. Quality Assurance Quality doesn't stop at deployment. Our experienced QA department is at your disposal to continuously test your application and find potential problems before your users do. Consultancy Even if you already have established teams, we can help with problematic areas. Whether you need to scale or improve development processes, our consultancy arm is there for you. Contact Us The Endorsements Sokratis Papafloratos, Togethera Stochastic has been an invaluable advisor from the early stages of our company all the way to thousands of users. Andrew Hoehn, Echo Factory It seems like the more challenging the project is, the more excited the Stochastic team is to create a solution. Josh Wright, Silent Circle Knowledgeable, professional and competent, Stochastic have been a pleasure to work with. Contact Let's talk. Send us an email and let us solve your problems. Email You can send us good, old-fashioned, convenient email at: info@stochastic.io Otherwise, you can use our contact form . Address Stochastic Technologies 5th Floor, Genesis Building, Genesis Close George Town, Grand Cayman Cayman Islands, KY1-1106 GitHub You can find our open-source work on our GitHub: https://github.com/stochastic-technologies/
2026-01-13T09:30:37
https://pubs.opengroup.org/onlinepubs/9799919799/functions/link.html
link <<< Previous Home Next >>> The Open Group Base Specifications Issue 8 IEEE Std 1003.1-2024 Copyright © 2001-2024 The IEEE and The Open Group NAME link, linkat — hard link one file to another file SYNOPSIS #include < unistd.h > int link(const char * path1 , const char * path2 ); [ OH ] #include <fcntl.h> int linkat(int fd1 , const char * path1 , int fd2 ,        const char * path2 , int flag ); DESCRIPTION The link () function shall create a new hard link (directory entry) for the existing file, path1 . The path1 argument points to a pathname naming an existing file. The path2 argument points to a pathname naming the new directory entry to be created. The link () function shall atomically create a new hard link for the existing file and the link count of the file shall be incremented by one. If path1 names a directory, link () shall fail unless the process has appropriate privileges and the implementation supports using link () on directories. If path1 names a symbolic link, it is implementation-defined whether link () follows the symbolic link, or creates a new hard link to the symbolic link itself. Upon successful completion, link () shall mark for update the last file status change timestamp of the file. Also, the last data modification and last file status change timestamps of the directory that contains the new entry shall be marked for update. If link () fails, no link shall be created and the link count of the file shall remain unchanged. The implementation may require that the calling process has permission to access the existing file. The linkat () function shall be equivalent to the link () function except that symbolic links shall be handled as specified by the value of flag (see below) and except in the case where either path1 or path2 or both are relative paths. In this case a relative path path1 is interpreted relative to the directory associated with the file descriptor fd1 instead of the current working directory and similarly for path2 and the file descriptor fd2 . If the access mode of the open file description associated with the file descriptor is not O_SEARCH, the function shall check whether directory searches are permitted using the current permissions of the directory underlying the file descriptor. If the access mode is O_SEARCH, the function shall not perform the check. Values for flag are constructed by a bitwise-inclusive OR of flags from the following list, defined in <fcntl.h> : AT_SYMLINK_FOLLOW If path1 names a symbolic link, a new hard link for the target of the symbolic link is created. If linkat () is passed the special value AT_FDCWD in the fd1 or fd2 parameter, the current working directory shall be used for the respective path argument. If both fd1 and fd2 have value AT_FDCWD, the behavior shall be identical to a call to link (), except that symbolic links shall be handled as specified by the value of flag . If the AT_SYMLINK_FOLLOW flag is clear in the flag argument and the path1 argument names a symbolic link, a new hard link is created for the symbolic link path1 and not its target. RETURN VALUE Upon successful completion, these functions shall return 0. Otherwise, these functions shall return -1 and set errno to indicate the error. ERRORS These functions shall fail if: [EACCES] A component of either path prefix denies search permission, or the requested link requires writing in a directory that denies write permission, or the calling process does not have permission to access the existing file and this is required by the implementation. [EEXIST] The path2 argument resolves to an existing directory entry or refers to a symbolic link. [EILSEQ] The last pathname component of path2 is not a portable filename, and cannot be created in the target directory. [ELOOP] A loop exists in symbolic links encountered during resolution of the path1 or path2 argument. [EMLINK] The number of hard links to the file named by path1 would exceed {LINK_MAX}. [ENAMETOOLONG] The length of a component of a pathname is longer than {NAME_MAX}. [ENOENT] A component of either path prefix does not exist; the file named by path1 does not exist; or path1 or path2 points to an empty string. [ENOENT] or [ENOTDIR] The path1 argument names an existing non-directory file, and the path2 argument contains at least one non-<slash> character and ends with one or more trailing <slash> characters. If path2 without the trailing <slash> characters would name an existing file, an [ENOENT] error shall not occur. [ENOSPC] The directory to contain the link cannot be extended. [ENOTDIR] A component of either path prefix names an existing file that is neither a directory nor a symbolic link to a directory, or the path1 argument contains at least one non-<slash> character and ends with one or more trailing <slash> characters and the last pathname component names an existing file that is neither a directory nor a symbolic link to a directory, or the path1 argument names an existing non-directory file and the path2 argument names a nonexistent file, contains at least one non-<slash> character, and ends with one or more trailing <slash> characters. [EPERM] The file named by path1 is a directory and either the calling process does not have appropriate privileges or the implementation prohibits using link () on directories. [EROFS] The requested link requires writing in a directory on a read-only file system. [EXDEV] The file named by path1 and the directory in which the directory entry named by path2 is to be created are on different file systems and the implementation does not support hard links between file systems. The linkat () function shall fail if: [EACCES] The access mode of the open file description associated with fd1 or fd2 is not O_SEARCH and the permissions of the directory underlying fd1 or fd2 , respectively, do not permit directory searches. [EBADF] The path1 or path2 argument does not specify an absolute path and the fd1 or fd2 argument, respectively, is neither AT_FDCWD nor a valid file descriptor open for reading or searching. [ENOTDIR] The path1 or path2 argument is not an absolute path and fd1 or fd2 , respectively, is a file descriptor associated with a non-directory file. These functions may fail if: [ELOOP] More than {SYMLOOP_MAX} symbolic links were encountered during resolution of the path1 or path2 argument. [ENAMETOOLONG] The length of a pathname exceeds {PATH_MAX}, or pathname resolution of a symbolic link produced an intermediate result with a length that exceeds {PATH_MAX}. The linkat () function may fail if: [EINVAL] The value of the flag argument is not valid. The following sections are informative. EXAMPLES Creating a Hard Link to a File The following example shows how to create an additional hard link to a file named /home/cnd/mod1 by creating a new directory entry named /modules/pass1 . #include <unistd.h> char *path1 = "/home/cnd/mod1"; char *path2 = "/modules/pass1"; int status; ... status = link (path1, path2); Creating a Hard Link to a File Within a Program In the following program example, the link () function hard links the /etc/passwd file (defined as PASSWDFILE ) to a file named /etc/opasswd (defined as SAVEFILE ), which is used to save the current password file. Then, after removing the current password file (defined as PASSWDFILE ), the new password file is saved as the current password file using the link () function again. #include <unistd.h> #define LOCKFILE "/etc/ptmp" #define PASSWDFILE "/etc/passwd" #define SAVEFILE "/etc/opasswd" ... /* Save current password file */ link (PASSWDFILE, SAVEFILE); /* Remove current password file. */ unlink (PASSWDFILE); /* Save new password file as current password file. */ link (LOCKFILE,PASSWDFILE); APPLICATION USAGE Some implementations do allow hard links between file systems. If path1 refers to a symbolic link, application developers should use linkat () with appropriate flags to select whether or not the symbolic link should be resolved. RATIONALE Creating additional hard links to a directory is restricted to the superuser in most historical implementations because this capability may produce loops in the file hierarchy or otherwise corrupt the file system. This volume of POSIX.1-2024 continues that philosophy by prohibiting link () and unlink () from doing this. Other functions could do it if the implementor designed such an extension. Some historical implementations allow hard linking of files on different file systems. Wording was added to explicitly allow this optional behavior. The exception for cross-file system hard links is intended to apply only to links that are programmatically indistinguishable from traditional hard links. The purpose of the linkat () function is to link files in directories other than the current working directory without exposure to race conditions. Any part of the path of a file could be changed in parallel to a call to link (), resulting in unspecified behavior. By opening a file descriptor for the directory of both the existing file and the target location and using the linkat () function it can be guaranteed that the both filenames are in the desired directories. Earlier versions of this standard specified only the link () function, and required it to behave like linkat () with the AT_SYMLINK_FOLLOW flag. However, historical practice from SVR4 and Linux kernels had link () behaving like linkat () with no flags, and many systems that attempted to provide a conforming link () function did so in a way that was rarely used, and when it was used did not conform to the standard (e.g., by not being atomic, or by dereferencing the symbolic link incorrectly). Since applications could not rely on link () following symbolic links in practice, the linkat () function was added taking a flag to specify the desired behavior for the application. Implementations are encouraged to have link () and linkat () report an [EILSEQ] error if the file named by path2 did not previously exist, and the last component of that pathname contains any bytes that have the encoded value of a <newline> character. FUTURE DIRECTIONS None. SEE ALSO rename () , symlink () , unlink () XBD <fcntl.h> , <unistd.h> CHANGE HISTORY First released in Issue 1. Derived from Issue 1 of the SVID. Issue 6 The following new requirements on POSIX implementations derive from alignment with the Single UNIX Specification: The [ELOOP] mandatory error condition is added. A second [ENAMETOOLONG] is added as an optional error condition. The following changes were made to align with the IEEE P1003.1a draft standard: An explanation is added of the action when path2 refers to a symbolic link. The [ELOOP] optional error condition is added. Issue 7 Austin Group Interpretation 1003.1-2001 #143 is applied. SD5-XSH-ERN-93 is applied, adding RATIONALE. The linkat () function is added from The Open Group Technical Standard, 2006, Extended API Set Part 2. Functionality relating to XSI STREAMS is marked obsolescent. Changes are made related to support for finegrained timestamps. The [EOPNOTSUPP] error is removed. POSIX.1-2008, Technical Corrigendum 1, XSH/TC1-2008/0354 [326], XSH/TC1-2008/0355 [461], XSH/TC1-2008/0356 [326], XSH/TC1-2008/0357 [324], XSH/TC1-2008/0358 [147,429], XSH/TC1-2008/0359 [277], XSH/TC1-2008/0360 [278], and XSH/TC1-2008/0361 [278] are applied. POSIX.1-2008, Technical Corrigendum 2, XSH/TC2-2008/0195 [873], XSH/TC2-2008/0196 [591], XSH/TC2-2008/0197 [817], XSH/TC2-2008/0198 [822], and XSH/TC2-2008/0199 [817] are applied. Issue 8 Austin Group Defect 251 is applied, encouraging implementations to disallow the creation of filenames containing any bytes that have the encoded value of a <newline> character. Austin Group Defect 293 is applied, adding the [EILSEQ] error. Austin Group Defect 1330 is applied, removing obsolescent interfaces. Austin Group Defect 1380 is applied, changing text using the term "link" in line with its updated definition and removing a paragraph from the RATIONALE section. End of informative text.   return to top of page UNIX® is a registered Trademark of The Open Group. POSIX™ is a Trademark of The IEEE. Copyright © 2001-2024 The IEEE and The Open Group, All Rights Reserved [ Main Index | XBD | XSH | XCU | XRAT ] <<< Previous Home Next >>>
2026-01-13T09:30:37
https://www.hcaptcha.com/certifications.html
Security Certifications Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In Our Commitment to Security and Privacy hCaptcha has always been committed to security and privacy, and undergoes regular external audits to certify this. These include third-party audits of our compliance with international security best practices, and the information security and private information management systems we have put in place for ongoing assurance. hCaptcha Enterprise customers may request certifications, attestation letters, and other documentation by contacting your designated account representative, or sales@hcaptcha.com . ‍ ISO/IEC 27001 Certification hCaptcha maintains a current ISO/IEC 27001 certification. ISO (International Organization for Standardization) is an independent, non-governmental international organization with a membership of 168 national standards bodies. ISO/IEC 27001 is the world's best-known standard for information security management systems (ISMS). It defines requirements an ISMS must meet. The ISO/IEC 27001 standard provides companies of any size and from all sectors of activity with guidance for establishing, implementing, maintaining and continually improving an information security management system. Conformity with ISO/IEC 27001 means that an organization or business has put in place a system to manage risks related to the security of data owned or handled by the company, and that this system respects all the best practices and principles enshrined in this International Standard. source: ISO Learn more about ISO/IEC 27001 . ‍ ISO/IEC 27701 Certification hCaptcha maintains a current ISO/IEC 27701 certification. ISO (International Organization for Standardization) is an independent, non-governmental international organization with a membership of 168 national standards bodies. ISO 27701 extends ISO/IEC 27001 to cover privacy information management. It defines requirements for a Privacy Information Management System (PIMS) to process Personally Identifiable Information (PII) while managing privacy controls to reduce risk to the private data and rights of data subjects. Conformity with ISO/IEC 27701 means that an organization or business has put in place a system to manage risks related to the privacy of data owned or handled by the company, and that this system respects all the best practices and principles enshrined in this International Standard. source: ISO + IMI Learn more about ISO/IEC 27701 . SOC 2 Type II Certification hCaptcha maintains a current SOC 2 Type II certification. SOC 2 - SOC for Service Organizations: Trust Services Criteria Report on Controls at a Service Organization Relevant to Security, Availability, Processing Integrity, Confidentiality or Privacy These reports are intended to meet the needs of a broad range of users that need detailed information and assurance about the controls at a service organization relevant to security, availability, and processing integrity of the systems the service organization uses to process users' data and the confidentiality and privacy of the information processed by these systems. These reports can play an important role in: - Oversight of the organization - Vendor management programs - Internal corporate governance and risk management processes - Regulatory oversight A type 2 report covers both management’s description of a service organization's system, the suitability of the design, and operating effectiveness of controls over a period of time. source: AICPA hCaptcha SOC 2 Type II reports cover a full 12 month audit period, rather than being a "point in time" audit as with Type I reports. Learn more about SOC 2 Type II . ‍ PCI DSS 4.0 Level 1 Service Provider Compliant hCaptcha complies with current PCI DSS 4.0 Level 1 Service Provider requirements. PCI DSS 4.0 is the latest Payment Card Industry Data Security Standard. Level 1 is the highest level of PCI certification. This requires a Qualified Security Assessor to inspect and assess the data environment (CDE) for compliance with protection standards. Attestation of Compliance documents are available to Enterprise customers upon request. Although hCaptcha does not process unblinded payment card or cardholder data, the service complies with the latest version of this standard in the Service Provider role. PCI DSS 4.0 provides a framework for protecting cardholder data and sensitive authentication data. Compliance is mandatory for any organization that stores, processes or transmits payment card data. Key requirements include building and maintaining secure networks, protecting cardholder data, implementing strong access control measures, regularly monitoring and testing networks, and maintaining an information security policy. New requirements in 4.0 focus on enhancing security for emerging technologies like cloud, virtualization, and mobile. There is also increased emphasis on training staff and third parties on security best practices. Vendors must provide proof of compliance through annual assessments, including regular external network audits. Learn more about PCI DSS 4.0 . ‍ Data Privacy Framework Certification hCaptcha has certified its compliance with the DPF, covering EU-US, UK-US, and Swiss-US DPF agreements. The GDPR is Europe's General Data Protection Regulation, which regulates many aspects of private data. hCaptcha has enrolled in the Data Privacy Framework program, a series of international agreements giving EU, UK, and Swiss citizens similar data protection no matter where their data is handled, ensuring data protection that is consistent with EU, UK, and Swiss law. While hCaptcha has a unique focus on privacy and data minimization, including Zero PII features available to Enterprise customers, and continues to follow the strict provisions of the Standard Contractual Clauses, enrolling in the DPF is a way to give additional assurances to users and customers of our service. ‍ Our GDPR FAQ . ‍ ‍ Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
http://www.stochastictechnologies.com/css/css/css/
Welcome - Stochastic Technologies Stochastic Technologies A software agency Home Software Development Quality Assurance Contact The Company Do you have a solid business plan and need the technical know-how to bring it to fruition? We provide software development and ongoing quality assurance services. With decades of experience in web development, we can help you design, develop and iterate your business applications, from conception to market fit. We focus on delivering solutions that fit your specific business case, making sure they are extensible and maintainable well into the future. The Details You handle the business, we handle the technicalities. We take care of the all the technical needs so you can focus on what you do best: Growing your business. Development From desktop to web to mobile, we have developed for it all. Whatever your business needs, our diverse development team can deliver. Design/UX Good software means good UX. We can help improve your application's visuals and interactions, to increase user retention and satisfaction. Quality Assurance Quality doesn't stop at deployment. Our experienced QA department is at your disposal to continuously test your application and find potential problems before your users do. Consultancy Even if you already have established teams, we can help with problematic areas. Whether you need to scale or improve development processes, our consultancy arm is there for you. Contact Us The Endorsements Sokratis Papafloratos, Togethera Stochastic has been an invaluable advisor from the early stages of our company all the way to thousands of users. Andrew Hoehn, Echo Factory It seems like the more challenging the project is, the more excited the Stochastic team is to create a solution. Josh Wright, Silent Circle Knowledgeable, professional and competent, Stochastic have been a pleasure to work with. Contact Let's talk. Send us an email and let us solve your problems. Email You can send us good, old-fashioned, convenient email at: info@stochastic.io Otherwise, you can use our contact form . Address Stochastic Technologies 5th Floor, Genesis Building, Genesis Close George Town, Grand Cayman Cayman Islands, KY1-1106 GitHub You can find our open-source work on our GitHub: https://github.com/stochastic-technologies/
2026-01-13T09:30:37
https://zh-cn.facebook.com/r.php?next=https%3A%2F%2Fzh-cn.facebook.com%2Fsettings&amp%3Bamp%3Blocale=vi_VN&amp%3Bamp%3Bdisplay=page
Facebook Facebook 邮箱或手机号 密码 忘记账户了? 注册 你暂时被禁止使用此功能 你暂时被禁止使用此功能 似乎你过度使用了此功能,因此暂时被阻止,不能继续使用。 Back 中文(简体) 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 日本語 Português (Brasil) Français (France) Deutsch 注册 登录 Messenger Facebook Lite 视频 Meta Pay Meta 商店 Meta Quest Ray-Ban Meta Meta AI Meta AI 更多内容 Instagram Threads 选民信息中心 隐私政策 隐私中心 关于 创建广告 创建公共主页 开发者 招聘信息 Cookie Ad Choices 条款 帮助 联系人上传和非用户 设置 动态记录 Meta © 2026
2026-01-13T09:30:37
https://hcaptcha.com/contact-us.html
Contact Us Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In DE - ES  - FR  - PT - PT (BR) hCaptcha.com Bot detection and anti-abuse services. Used by millions of websites and apps. ‍ Learn more. ‍ How to Contact Us ‍ Support What is hCaptcha? If you are visiting hCaptcha for the first time, it is important to understand what our service does. ‍ We provide anti-bot and anti-fraud security services that run on many other websites and apps. This means you might see our logo on those sites or apps when you sign up, login, or make a purchase. This logo lets you know that the site is protected by hCaptcha. You should contact the website or app operator directly for questions about their services or purchases you make with them. We cannot provide support on these topics. ‍ When to contact hCaptcha support If you have a question about the hCaptcha service itself, e.g. how to integrate it into your website, or you are having an issue with our challenge interface when interacting with it on another site, then you may contact support via email . If you would like to report a bug or other technical issue, please see our instructions here to collect debugging info. ‍ ‍ How to Contact Sales What is hCaptcha? If you are visiting hCaptcha for the first time, it is important to understand what our service does. ‍ We provide anti-bot and anti-fraud security services that run on many other websites and apps. This means you might see our logo on those sites or apps when you sign up, login, or make a purchase. This logo lets you know that the site is protected by hCaptcha. You should contact the website or app operator directly for questions about their services or purchases you make with them. We cannot provide support on these topics. ‍ Sales Integrating hCaptcha into your own website or app If your goal is to stop bot attacks and other automated or human abuse, we have tools that are right for you. ‍ Enterprise hCaptcha Enterprise is a complete security platform used by many of the world's largest online services. It provides sophisticated threat detection and response at scale, fully passive No-CAPTCHA options, SOC support, and more. If you are interested in the Enterprise service, you can get a demo or start a no-obligation pilot today via this form . Alternately, you may contact us via email to discuss your needs. ‍ Pro hCaptcha Pro is a simple-to-use security service with low user friction that you can enable in minutes. You can sign up for a free trial of hCaptcha Pro , or purchase it via the dashboard if you already have a free account. Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://alive2.llvm.org/#load-browser-local-history
Compiler Explorer Add... Source Editor Diff View More Settings Reset UI layout Reset code and UI layout Open new tab History Thanks for using Compiler Explorer × Sponsors Share Other Become a Patron Sponsor on GitHub Donate via PayPal Source on GitHub Mailing list Installed libraries Wiki Report an issue How it works Contact the author About the author Changelog Version tree Short Short Full   Embedded  Save/Load  Add new... Compiler Execution only Conformance view Source editor   Vim  CppInsights  Quick-bench Popular arguments  Output... Compile to binary Run the compiled output Intel asm syntax Demangle identifiers  Filter... Unused labels Library functions Directives Comments Horizontal whitespace  Libraries  Add new... Clone compiler Optimization output AST output IR output GCC Tree/RTL output Graph output  Add tool...  Output  ( 0 / 0 )  Libraries  Compilation  Arguments  Stdin  Compiler output Wrap lines Wrap lines  Arguments  Stdin Left:  Right:  Tree pass RTL pass Nav Physics  Add compiler  Libraries No libs configured for this language yet. You can suggest us one at any time  Load and save editor text × Examples Browser-local storage Browser-local history File system Load from examples: Load from browser-local storage: Save to browser-local storage Load from browser-local history: Load/save to your system Load from a local file Save to file Close Something alert worthy × Close Well, do you or not? × No Yes Compiler Explorer Settings × These settings control how Compiler Explorer acts for you. They are not preserved as part of shared URLs, and are persisted locally using browser local storage. Site behaviour Default language  Allow my source code to be temporarily stored for diagnostic purposes in the event of an error Theme  Use last selected language when opening new Editors Show community events Keybindings Vim Editor Desired Font Family in editors Enable font ligatures Automatically insert matching brackets and parentheses Automatically indent code (reload page after changing) Highlight linked code lines on hover Show asm description on hover Show quick suggestions Use custom context menu Show editor minimap Keep editor source on language change Use spaces for indentation  Tab width  Format based on  Make Ctrl + S  save to local file instead of creating a share link Enable Word Wrapping Compilation Compile automatically when source changes Delay before compiling:  0.25s   3s Colourise lines to show how the source maps to the output Colour scheme  Close  Read the new cookie policy Compiler Explorer uses cookies and other related techs to serve you  Consent  Don't consent Share embedded × Read Only Hide Editor Toolbars History × History Diff   Inline diff Close
2026-01-13T09:30:37
https://id-id.facebook.com/r.php?next=https%3A%2F%2Fzh-cn.facebook.com%2Fsettings&amp%3Bamp%3Blocale=vi_VN&amp%3Bamp%3Bdisplay=page
Facebook Facebook Email atau telepon Kata Sandi Lupa akun? Daftar Anda Diblokir Sementara Anda Diblokir Sementara Sepertinya Anda menyalahgunakan fitur ini dengan menggunakannya terlalu cepat. Anda dilarang menggunakan fitur ini untuk sementara. Back Bahasa Indonesia 한국어 English (US) Tiếng Việt ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Daftar Masuk Messenger Facebook Lite Video Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Konten Meta AI lainnya Instagram Threads Pusat Informasi Pemilu Kebijakan Privasi Pusat Privasi Tentang Buat Iklan Buat Halaman Developer Karier Cookie Pilihan Iklan Ketentuan Bantuan Pengunggahan Kontak & Non-Pengguna Pengaturan Log aktivitas Meta © 2026
2026-01-13T09:30:37
http://www.videolan.org/news.html#news-2023-11-02
News - VideoLAN * { behavior: url("/style/box-sizing.htc"); } Toggle navigation VideoLAN Team & Organization Consulting Services & Partners Events Legal Press center Contact us VLC Download Features Customize Get Goodies Projects DVBlast x264 x262 x265 multicat dav1d VLC Skin Editor VLC media player libVLC libdvdcss libdvdnav libdvdread libbluray libdvbpsi libaacs libdvbcsa biTStream vlc-unity All Projects Contribute Getting started Donate Report a bug Support donate donate Donate donate donate VideoLAN, a project and a non-profit organization. News archive VLC 3.0.23 2026-01-08 VideoLAN and the VLC team are publishing the 3.0.23 release of VLC today, which is the 24th update to VLC's 3.0 branch: it updates codecs, adds a dark mode option on Windows and Linux, support for Windows ARM64 and improves support for Windows XP SP3. This is the largest bug fix release ever with a large number of stability and security improvements to demuxers (reported by rub.de, oss-fuzz and others) and updates to most third party libraries. Additional details on the release page . The security impact of this release is detailed here . The major maintenance effort of this release to strengthen VLC's overall stability as well as the compatibility with old releases of Windows and macOS was made possible by a generous sponsorship of the Sovereign Tech Fund by Germany's Federal Ministry for Digital Transformation and Government Modernisation. VLC for iOS, iPadOS and tvOS 3.7.0 2026-01-08 Alongside the 3.0.23 release for desktop, VideoLAN and the VLC team are publishing a larger update for Apple's mobile platforms to include the latest improvements of VLC's 3.0 branch plus important bug fixes and amendments for the 26 versions of the OS. Previously, we added pCloud as a European choice for cloud storage allowing direct streaming and downloads within the app. New releases for biTStream, DVBlast and multicat 2025-12-01 We are pleased to release versions 1.6 of biTStream , 3.5 of DVBlast and 2.4 of multicat . DVBlast and multicat had major improvements and new features. New releases for libdvdcss, libdvdread and libdvdnav 2025-11-09 New releases of libdvdread , libdvdnav and libdvdcss have been published today. The biggest features of those releases (libdvdread/nav 7 and libdvdcss 1.5) are related to DVD-Audio support, including DRM decryption. VLC for Android 3.6.0 2025-01-13 We are pleased to release version 3.6.0 of the VLC version for the Android platform. It comes with the new Remote Access feature, a parental control and a lot of fixes. See our Android page . VLC 3.0.21 2024-06-10 VideoLAN and the VLC team are publishing the 3.0.21 release of VLC today, which is the 22nd update to VLC's 3.0 branch: it updates codecs, adds Super Resolution and VQ Enhancement filtering with AMD GPUs, NVIDIA TrueHDR to generate a HDR representation from SDR sources with NVIDIA GPUs and improves playback of numerous formats including improved subtitles rendering notably on macOS with Asian languages. Additional details on the release page . This release also fixes a security issue, which is detailed here . VLC for iOS, iPadOS and Apple TV 3.5.0 2024-02-16 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding playback history, A to B playback, Siri integration, support for external subtitles and audio tracks, a way to favorite folders on local network servers, improved CarPlay integration and many small improvements. VLC 3.0.20 2023-11-02 Today, VideoLAN is publishing the 3.0.20 release of VLC, which is a medium update to VLC's 3.0 branch: it updates codecs, fixes a FLAC quality issue and improves playback of numerous formats including improved subtitles rendering. It also fixes a freeze when using frame-by-frame actions. On macOS, audio layout problems are resolved. Finally, we update the user interface translations and add support for more. Additional details on the release page . This release also fixes two security issues, which are detailed here and there . VLC for iOS, iPadOS and Apple TV 3.4.0 2023-05-03 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new audio playback interface, CarPlay integration, various improvements to the local media library and iterations to existing features such as WiFi Sharing. Notably, we also added maintenance improvements to the port to tvOS including support for the Apple Remote's single click mode. See the press release for details. VLC 3.0.18 2022-11-29 Today, VideoLAN is publishing the 3.0.18 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . This release also fixes multiple security issues, which are detailed here . VideoLAN supports the UNHCR 2022-10-24 VideoLAN is a de-facto pacifist organization and cares about cross-countries cooperations, and believes in the power of knowledge and sharing. War goes against those ideals. As a response Russia's invasion of Ukraine, we decided to financially support the United Nations High Commissioner for Refugees and their work on aiding and protecting forcibly displaced people and communities, in the places where they are necessary. See our press statement . VLC for Android 3.5.0 2022-07-20 VideoLAN is proud to release the new major version of VLC for Android. It comes with new widgets, network media indexation, a better tablet and foldable support, design improvements in the audio screen, improved accessibility and performance improvements. VLC 3.0.17 2022-04-19 Today, VideoLAN is publishing the 3.0.17 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . VLC for iOS, iPadOS and tvOS 3.3.0 2022-03-21 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new video playback interface, support for NFS and SFTP network shares and major improvements to the media handling especially for audio. See the press release . libbluray releases 2022-03-06 libbluray and related libraries, libaacs and libbdplus, have new releases, focused on maintenance, minor improvements, and notably new OSes and new java versions compatibility. See libbluray , libaacs and libbdplus pages. VLC and log4j 2021-12-15 Since its very early days in 1996, VideoLAN software is written in programming languages of the C family (mostly plain C with additions in C++ and Objective-C) with the notable exception of its port to Android, which was started in Java and recently transitioned to Kotlin. VLC does not use the log4j library on any platform and is therefore unaffected by any related security implications. VLC for Android 3.4.0 2021-09-20 We are pleased to release version 3.4.0 of the VLC version for the Android platforms. Still based on libVLC 3, it revamps the Audio Player and the Auto support, it adds bookmarks in each media, simplifies the permissions and improves video grouping. See our Android page . VLC 3.0.16 2021-06-21 Today, VideoLAN is publishing the 3.0.16 release of VLC, which fixes delays when seeking on Windows, opening DVD folders with non-ASCII character names, fixes HTTPS support on Windows XP, addresses audio drop-outs on seek with specific MP4 content and improves subtitles renderering. It also adds support for the TouchBar on macOS. More details on the release page . VLC 3.0.14, auto update issues and explanations 2021-05-11 VLC users on Windows might encounter issues when trying to auto update VLC from version 3.0.12 and 3.0.13. Find more details here . We are publishing version 3.0.14 to address this problem for future updates. VLC 3.0.13 2021-05-10 VideoLAN is now publishing 3.0.13 release, which improves the network shares and adaptive streaming support, fixes some MP4 audio regressions, fixes some crashes on Windows and macOS and fixes security issues. More details on the release page . libbluray 1.3.0 2021-04-05 A new release of libbluray was pushed today, adding new APIs, to improve the control of the library, improve platforms support, and fix some bugs. See our libbluray page. VideoLAN is 20 years old today! 2021-02-01 20 years ago today, VideoLAN moved from a closed-source student project to the GNU GPL, thanks to the authorization of the École Centrale Paris director at that time. VLC has grown a lot since, thanks to 1000 volunteers! Read our press release! . VLC for Android 3.3.4 2021-01-21 VideoLAN is now publishing the VLC for Android 3.3.4 release which focuses on improving the Chromecast support. Since the 3.3.0 release, a lot of improvements have been made for Android TV, SMB support, RTL support, subtitles picking and stability. . VLC 3.0.12 2021-01-18 VideoLAN is now publishing 3.0.12 release, which adds support for Apple Silicon, improves Bluray, DASH and RIST support. It fixes some audio issues on macOS, some crashes on Windows and fixes security issues. More details on the release page . libbluray 1.2.1 2020-10-23 A minor release of libbluray was pushed today, focused on fixing bugs and improving the support for UHD Blurays. More details on the libbluray page. VLC for Android 3.3 2020-09-23 VideoLAN is proud to release the new major version of VLC for Android. A complete design rework has been done. The navigation is now at the bottom for a better experience. The Video player has also been completely revamped for a more modern look. The video grouping has been improved and lets you create custom groups. You can also easily share your media with your friends. The settings have been simplified and a lot of bugs have been fixed. VLC 3.0.11.1 2020-07-29 Today, VideoLAN is publishing the VLC 3.0.11.1 release for macOS, which notably solves an audio rendering regression introduced in the last update specific to that platform. Additionally, it improves playback of HLS streams, WebVTT subtitles and UPnP discovery. VLC 3.0.11 2020-06-16 VideoLAN is now publishing the VLC 3.0.11 release, which improves HLS playback and seeking certain m4a files as well as AAC playback. Additionally, this solves an audio rendering regression on macOS when pausing playback and adds further bug fixes. Additionally, a security issue was resolved. More information available on the release page . VLC 3.0.10 2020-04-28 VideoLAN is now publishing the VLC 3.0.10 release, which improves DVD, macOS Catalina, adaptive streaming, SMB and AV1 support, and fixes some important security issues. More information available on the release page . We are also releasing new versions for iOS (3.2.8) and Android 3.2.11 for the same security issues. VLC for iOS and tvOS releases 2020-03-31 VideoLAN is publishing updates to VLC on iOS and tvOS, to fix numerous small issues, add passcode protection on the web sharing, and improve the quick actions and the stability of the application. VLC for iOS 3.2.5 release 2019-12-03 VideoLAN is publishing updates to VLC on iOS, to improve support for iOS9 compatibility and add new quick actions and improves the collection handling. libdvdread and libdvdnav releases 2019-10-13 We are publishing today libdvdnav and libdvdread minor releases to fix minor crashes and improving the support for difficult discs. See libdvread page for more information . VLC for iOS 3.2.0 release 2019-09-14 VideoLAN is finally publishing its new major version of iOS, numbered 3.2.0. This update starts the changes for the new interface that will drive the development for the next year. It should give the correct building blocks for the future of the iOS app. VLC 3.0.8 2019-08-19 VideoLAN is now publishing the VLC 3.0.8 release, which improves adaptive streaming support, audio output on macOS, VTT subtitles rendering, and also fixes a dozen of security issues. More information available on the release page . VLC 3.0.7 2019-06-07 After 100 millions downloads of 3.0.6, VideoLAN is releasing today the VLC 3.0.7 release, focusing on numerous security fixes, improving HDR support on Windows, and Blu-ray menu support. VideoLAN would like to thank the EU-FOSSA project from the European Commission, who funded this initiative. More information available on the release page . VLC for Android 3.1 2019-04-08 VideoLAN is happy to present the new major version of VLC for Android platforms. Featuring AV1 decoding with dav1d, Android Auto, Launcher Shortcuts, Oreo/Pie integration, Video Groups, SMBv2, and OTG drive support, but also improvements on Cast, Chromebooks and managing the audio/video libraries, this is a quite large update. libbluray 1.1.0 2019-02-12 VideoLAN is releasing a new major version of libbluray: 1.1.0. It adds support for UHD menus (experimental) , for more recents of Java, and improves vastly BD-J menus. This release fixes numerous small issues reported. libdvdread 6.0.1 2019-02-05 VideoLAN is releasing a new minor version of libdvdread, numbered 6.0.1, fixing minor DVD issues. See libdvdread page for more info. VLC reaches 3 billion downloads 2019-01-12 VideoLAN is very happy to announce that VLC crossed the 3 billion downloads on our website: VLC statistics . Please note that this number is under-estimating the number of downloads of VLC. VLC 3.0.6 2019-01-10 VideoLAN is now publishing the VLC 3.0.6 release, which fixes an important regression that appeared on 3.0.5 for DVD subtitles. It also adds support for HDR in AV1. VLC 3.0.5 2018-12-27 VideoLAN is now publishing the VLC 3.0.5 release, a new minor release of the 3.0 branch. This release notably improves the macOS mojave support, adds a new AV1 decoder and fixes numerous issues with hardware acceleration on Windows. More information available here . VLC 3.0.4 2018-08-31 VideoLAN is publishing the VLC 3.0.4 release, a new minor release of the 3.0 branch. This release notably improves the video outputs on most OSes, supports AV1 codec, and fixes numerous small issues on all OSes and Platforms. More information available here . Update for all Windows versions is strongly advised. VLC 3.0.13 for Android 2018-07-31 VideoLAN is publishing today, VLC 3.0.13 on Android and Android TV. This release fixes numerous issues from the 3.0.x branch and improves stability. VLC 3.1.0 for WinRT and iOS 2018-07-20 VideoLAN is publishing today, VLC 3.1.0 on iOS and on Windows App (WinRT) platforms. This release brings hardware encoding and ChromeCast on those 2 mobile platforms. It also updates the libvlc to 3.0.3 in those platforms. VLC 3.0.3 2018-05-29 VideoLAN is publishing the VLC 3.0.3 release, a new minor release of 3.0. This release is fixing numerous crashes and regressions from VLC 3.0.0, "Vetinari", and it fixes some security issues. More information available here . Update for everyone is advised for this release. VLC 3.0.2 2018-04-23 VideoLAN is publishing the VLC 3.0.2 release, for general availability. This release is fixing most of the important bugs and regressions from VLC 3.0.0, "Vetinari", and improves decoding speed on macOS. More than 150 bugs were fixed since the 3.0.0 release. More information available here . VLC 3.0.1 2018-02-28 VideoLAN and the VLC development team are releasing VLC 3.0.1, the first bugfix release of the "Vetinari" branch, for Linux, Windows and macOS. This version improves the chromecast support, hardware decoding, adaptive streaming, and fixes many bugs or crashes encountered in the 3.0.0 version. In total more than 30 issues have been fixed, on all platforms. More information available here . VLC 3.0.0 2018-02-09 VideoLAN and the VLC development team are releasing VLC 3.0.0 "Vetinari" for Linux, Windows, OS X, BSD, Android, iOS, UWP and Windows Phone today! This is the first major release in three years. It activates hardware decoding by default to get 4K and 8K playback, supports 10bits and HDR playback, 360° video and 3D audio, audio passthrough for HD audio codecs, streaming to Chromecast devices (even in formats not supported natively), playback of Blu-Ray Java menus and adds browsing of local network drives. More info on our release page . VLC 2.2.8 2017-12-05 VideoLAN and the VLC development team are happy to publish version 2.2.8 of VLC media player today. This release fixes a security issue in the AVI demuxer. Additionally, it includes the following fixes, which are part of 2.2.7: This release fixes compatibility with macOS High Sierra and fixes SSA subtitles rendering on macOS. This release also fixes a few security issues, in the flac and the libavcodec modules (heap write overflow), in the avi module and a few crashes. For macOS users, please note: A bug was fixed in VLC 2.2.7 concerning the update mechanism on macOS. In rare circumstances, an auto-update from older versions of VLC to VLC 2.2.8 might not be possible. Please download the update manually from our website in this case. VideoLAN joins the Alliance for Open Media 2017-05-16 The VideoLAN non-profit organization is joining the Alliance for Open Media , to help developing open and royalty-free codecs and other video technologies! More information in our press release: VideoLAN joins Alliance for Open Media . VLC 2.2.5.1 2017-05-12 VideoLAN and the VLC development team are happy to publish version 2.2.5.1 of VLC media player today This fifth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.4, notably video rendering issues on AMD graphics card as well as audio distortion on macOS and 64bit Windows for certain audio files. It also includes updated codecs libraries and improves overall security. Read more about it on our release page . Press release: Wikileaks revelations about VLC 2017-03-09 Following the recent revelations from Wikileaks about the use of VLC by the CIA, you can download the official statement from the VideoLAN organization here . VLC for Android 2.1 beta 2017-02-24 VideoLAN and the VLC development team are happy to publish beta version 2.1 of VLC for Android today It brings 360° video & faster audio codecs passthru support, performances improvements, Android auto integration and a refreshed UX. See all new features and get it VLC for Android 2.0.0 2016-06-21 VideoLAN and the VLC development team are happy to publish version 2.0 of VLC for Android today It supports network shares browsing and playback, video playlists, downloading subtitles, pop-up video view and multiwindows, the new releases of the Android operating system, and merged Android TV and Android packages. Get it now! and give us your feedback. VLC 2.2.4 2016-06-05 VideoLAN and the VLC development team are happy to publish version 2.2.4 of VLC media player today This fourth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.3 for Windows XP and certain audio files. It also includes updated codecs libraries and fixes a security issue when playing specifically crafted QuickTime files as well as a 3rd party security issue in libmad. Read more about it on our release page . VideoLAN servers under maintenance 2016-05-19 Due to unscheduled maintenance on one of our servers, some git repositories , the trac bug tracker and mailing-lists are currently not available. We are restoring the services, but we can't give detailed information when everything will be back online. Note that downloads from this website, git repositories on code.videolan.org , the wiki and the forum are not affected. Important: Any communication send to email addresses on the videolan.org domain (aka yourdude@videolan.org) won't reach the receiver. VLC 2.2.3 2016-05-03 VideoLAN and the VLC development team are happy to publish version 2.2.3 of VLC media player today This third stable release of the "WeatherWax" version of VLC fixes more than 30 important bugs reported on VLC 2.2.2. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Read more about it on our release page . VideoLAN Dev Days 2016 part of QtCon 2016-02-18 2016 is a special year for many FLOSS projects: VideoLAN as open-source project and Free Software Foundation Europe both have their 15th birthday while KDE has its 20th birthday. All these call for celebrations! This year VideoLAN has come together with Qt , FSFE , KDE and KDAB to bring you QtCon , where attendees can meet, collaborate and get the latest news of all these projects. VideoLAN Dev Days 2016 will be organised as part of QtCon in Berlin. The event will start on Friday the 2nd of September with 3 shared days of talks, workshops, meetups and coding sessions. The current plan is to have a Call for Papers in March with the Program announced in early June. VLC 2.2.2 2016-02-06 VideoLAN and the VLC development team are happy to publish version 2.2.2 of VLC media player today This second stable release of the "WeatherWax" version of VLC fixes more than 100 important bugs and security issues reported on VLC 2.2.1. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Finally, this update solves installation issues on Mac OS X 10.11 El Capitan. Read more about it on our release page . 15 years of GPL 2016-02-01 VideoLAN is happy to celebrate with you the 15th anniversary of the birth of VideoLAN and VLC as open source projects! Announcing VLC for Apple TV 2016-01-12 VideoLAN and the VLC team is excited to announce the first release of VLC for Apple TV. It allows you to get access to all your files and video streams in their native formats without conversions, directly on the new Apple device and your TV. You can find details in our press release . libdvdcss 1.4.0 2015-12-24 VideoLAN is proud to announce the release of version 1.4.0 of libdvdcss . This release adds support for network callbacks, to play ISOs over the network, Android support, and cleans the codebase. VLC for iOS 2.7.0 2015-12-22 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds full support for iOS 9 including split screen and iPad Pro, for Windows shares (SMB), watchOS 2, a new subtitles engine, right-to-left interfaces, system-wide search (spotlight), Touch ID protection, and more. It will be available on the App Store shortly. VLC for ChromeOS 2015-12-17 VideoLAN and the Android teams are happy to announce the port of VLC to the ChromeOS operating system. This is the port of the Android version to ChromeOS, using the Android Runtime on Chrome. You can download it now! . VLC for Android 1.7.0 2015-12-01 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.7.0. This release includes a large refactoring that gives a new playlist, new notifications, a new subtitles engine, and uses less permissions. Get it now! . VLC for Android 1.6.0 2015-10-09 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.6.0. Ported to Android 6.0, this release should provide an important performance boost for decoding and the interface. Get it now! . DVBlast 3.0, multicat 2.1, bitstream 1.1 2015-10-07 VideoLAN and the DVBlast teams are happy to present the simultaneous release of DVBlast 3.0, bitstream 1.1 and multicat 2.1! DVBlast and multicat are now ported to OSX and DVBlast 3.0 is a major rewrite with new features like PID/SID remapping and stream monitoring. DVBlast , bitstream and multicat . libbluray 0.9.0 2015-10-04 VideoLAN and the libbluray team are releasing today libbluray 0.9.0. Adding numerous features, notably to better support BD-J menus and embedded subtitles files, it also fixes a few important issues, like font-caching. See more on libbluray page VLC for iOS 2.6.0 2015-06-30 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds support for Apple Watch to remote control and browse the library on iPhone, a mini player and large number of improvements through-out the app. It will be available on the App Store shortly. libbluray 0.8.0, libaacs 0.8.1 released 2015-04-30 The 2 VideoLAN Blu-Ray libraries have been released: libbluray 0.8.0 , libaacs 0.8.1 . These releases add support for ISO files, BD-J JSM and virtual devices. VLC 2.2.1 2015-04-16 VideoLAN and the VLC development team are releasing today VLC 2.2.1, named "Terry Pratchett". This first stable release of the "WeatherWax" version of VLC fixes most of the important bugs reported of VLC 2.2.0. VLC 2.2.0, a major version of VLC, introduced accelerated auto-rotation of videos, 0-copy hardware acceleration, support for UHD codecs, playback resume, integrated extensions and more than 1000 bugs and improvements. 2.2.0 release was the first release to have versions for all operating systems, including mobiles (iOS, Android, WinRT). More info on our release page VLC for Android 1.2.1, for WinRT & Windows Phone 1.2.1 and for iOS 2.5.0 2015-03-27 VideoLAN and the VLC development team are happy to release updates for all three mobile platforms today. VLC for Android received support for audio playlists, improved audio quality, improvements to the material design interface, including the black theme and switch to audio mode. Further, it is a major update for Android TV adding support for media discovery via UPnP, with improvements for recommendations and gamepads. VLC for Windows Phone and WinRT received partial hardware accelerated decoding allowing playback of HD contents of certain formats as well as further iterations on the user interface. For VLC for iOS, we focused on improved cloud integration adding support for iCloud Drive, OneDrive and Box.com, a 10-band equalizer as well as sharing of the media library on the local network alongside an improved playback experience. All updates will be available on the respective stores later today. We hope that you like them as much as we do. VLC 2.2.0 2015-02-27 VideoLAN and the VLC development team are releasing VLC 2.2.0 for most OSes. We're releasing the desktop version for Linux, Windows, OS X, BSD, and at the same time, Android, iOS, Windows RT and Windows Phone versions. More info on our release page and press release . libbluray 0.7.0, libaacs 0.8.0 and libbdplus 0.1.2 released 2015-01-27 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.7.0 , libaacs 0.8.0 and libbdplus 0.1.2 library. Those releases notably improves BD-J support, fonts support and file-system access. VLC for Android 0.9.9 2014-09-05 VideoLAN and the VLC development team are happy to present a new release for Android. This focuses on fixing crashes, better decoding and update of translations. More info in the release notes and download page . VLC 2.1.5 2014-07-26 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. This fixes a few bugs and security issues in third-party libraries, like GnuTLS and libpng. More info on our release page libbluray, libaacs and libbdplus release 2014-07-13 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.6.0 , libaacs 0.7.1 and libbdplus 0.1.1 library. Those releases notably add correct support for BD-J , the Java interactivity layer of Blu-Ray Discs. VLC for Android 0.9.7 2014-07-06 VideoLAN and the VLC development team are happy to present a new release for Android today. It improves a lot DVD menus and navigation, adds compatibility with Android L, fixes a few UI crashes and updates the translations. More info in the release notes . VLC for Android 0.9.5 2014-06-13 VideoLAN and the VLC development team are happy to present a new release for Android today. It adds support for DVD menus, a new VLC icon, tutorials and numerous fixes for crashes. More info in the release notes . VLC for iOS 2.3.0 2014-04-18 VideoLAN and the VLC development team are happy to present a new release for iOS today. It adds support for folders to group media, more options to customize playback, improved network interaction in various regards, many small but noticeable improvements as well as 3 new translations. More info in the release notes . VideoLAN announces distributed codec and conecoins! 2014-04-01 VideoLAN and the VLC development team are happy to present their new distributed codec, named CloudCodet ! To help smartphones users, this codec allows powerful computers to decode for other devices and the CPU-sharers will mine some conecoin , a new cone-shaped crypto-currency, in reward. More info on our press page VLC 2.1.4 and 2.0.10 2014-02-21 VideoLAN and the VLC development team are happy to present two updates for Mac OS X today. Version 2.1.4 solves an important DVD playback regression, while 2.0.10 accumulates a number of small improvements and bugfixes for older Macs based on PowerPC or 32-bit Intel CPUs running OS X 10.5. VLC 2.1.3 2014-02-04 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. Fixing multiple bugs and regressions introduced in 2.1.0, 2.1.1 and 2.1.2, notably on audio and video outputs, decoders and demuxers More info on our release page libbluray, libaacs and libbdplus release 2013-12-24 Several Blu-Ray related libraries have been released: libbluray 0.5.0 , libaacs 0.7.0 and the new libbdplus library. VLC 2.1.2 2013-12-10 VideoLAN and the VLC development team are proud to present the second minor version of the VLC 2.1.x branch. Fixing many bugs and regressions introduced in 2.1.0, notably on audio device management and SPDIF/HDMI pass-thru. More info on our release page VLC 2.1.1 2013-11-14 VideoLAN and the VLC development team are proud to present the first minor version of the VLC 2.1.x branch. Fixing a numerous number of bugs and regressions introduced in 2.1.0, it also adds experimental HEVC and VP9 decoding and improves VLC installer on Windows. More info on our release page VLC 2.0.9 2013-11-05 VideoLAN and the VLC development team are glad to present a new minor version of the VLC 2.0.x branch. Mostly focused on fixing a few important bugs and security issues, this version is mostly needed for Mac OS X, notably for PowerPC and Intel32 platforms that cannot upgrade to 2.1.0. VLC 2.1.0 2013-09-26 VideoLAN and the VLC development team are glad to present the new major version of VLC, 2.1.0, named Rincewind With a new audio core, hardware decoding and encoding, port to mobile platforms, preparation for Ultra-HD video and a special care to support more formats, 2.1 is a major upgrade for VLC. Rincewind has a new rendering pipeline for audio, with better effiency, volume and device management, to improve VLC audio support. It supports many new devices inputs, formats, metadata and improves most of the current ones, preparing for the next-gen codecs. More info on our release page . VLC for iOS version 2.1 2013-09-06 VideoLAN and the VLC for iOS development team are happy to present version 2.1 of VLC for iOS, a first major update to this new port adding support for subtitles in non-western languages, basic UPNP discovery and streaming, FTP server discovery, streaming and downloading, playback of audio-only media, a newly implemented menu and application flow as well as various stability improvements, minor enhancements and additional translations. VLC 2.0.8 and 2.1.0-pre2 2013-07-29 VideoLAN and the VLC development team are happy to present VLC 2.0.8, a security update to the "Twoflower" family, and VLC 2.1.0-pre2, the second pre-version of VLC 2.1.0. You can find info about 2.0.8 in the release notes . VLC 2.1.0-pre2 is a test version of the next major version of VLC, named "Rincewind", intended for advanced users. If you're brave, you can try it now! NB: The first binaries of 2.0.8 for Win32 and Mac were broken. Please re-download them. VLC 2.0.7 2013-06-10 VideoLAN and the VLC development team are happy to present the eighth version of "Twoflower", a minor update that improves the overall stability. Notable changes include fixes for audio decoding, audio encoding, small security issues, regressions, fixes for PowerPC, Mac OS X and new translations. More info in the release notes . VLC 2.0.6 2013-04-11 VideoLAN and the VLC development team are happy to present the seventh version of "Twoflower", a minor update that improves the overall stability. Notable changes include support for Matroska v4, improved reliability for ASF, Ogg, ASF and srt support, fixed GPU decoding on Windows on Intel GPU, fixed ALAC and FLAC decoding, and a new compiler for Windows release. More info in the release notes . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VLC fundraiser for Windows 8, RT and Phone ended 2012-12-29 Today, the fundraising campaign for for Windows 8, RT and Phone run by some VideoLAN team members ended. Their goal was successfully reached and they announced to start working on the new ports right away. Find out more . VLC 2.0.5 2012-12-15 VideoLAN and the VLC development team are happy to present the sixth version of "Twoflower", a minor update that improves the overall stability. Notable changes include improved reliability for MKV file playback, fixed MPEG2 audio and video encoding, pulseaudio synchronization, Mac OS interface, and other fixes. It also resolves potential security issues in HTML subtitle parser, freetype renderer, AIFF demuxer and SWF demuxer. More info in the release notes . We would like to remind our users that some VideoLAN team members are trying to raise money for VLC for Windows Metro on Kickstarter . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VideoLAN Security Advisory 1203 2012-11-02 VLC media player versions 2.0.3 and older suffer from a critical buffer overflow vulnerability. Refer to our advisory for technical details. A fix for this issue is already available in VLC 2.0.4. We strongly recommend all users to update to this new version. VLC 2.0.4 2012-10-18 VideoLAN and the VLC development team present the fifth version of "Twoflower", a major update that fixes a lot of regressions, issues and security issues in this branch. It introduces Opus support, improves Youtube, Vimeo streams and Blu-Ray dics support. It also fixes many issues in playback, notably on Ogg and MKV playback and audio device selections and a hundred of other bugs. More info in the release notes . Updated 2.0.3 builds for Mac OS X 2012-08-01 A small number of users on specific setups experienced audio issues with the latest version of VLC media player for Mac OS X. If you are affected, please download VLC again and replace the existing installation. If you're not, there is nothing to do. VideoLAN at FISL 2012-07-19 Next week, we will give two talks about VideoLAN and VLC media player at the 13° Fórum Internacional Software Livre in Porto Alegre, Brazil. This is the first time VideoLAN members attend a conference in South America. We are looking forward to it and hope to see you around. VLC 2.0.3 2012-07-19 VideoLAN and the VLC development are proud to present a minor update adding support for OS X Mountain Lion as well as improving VLC's overall stability on OS X. Additionally, this version includes updates for 18 translations and adds support for Uzbek and Marathi. For MS Windows, you can update manually if you need the translation updates. VLC 2.0.2 2012-07-01 After more than 100 million downloads of VLC 2.0 versions, VideoLAN and the VLC development team present the third version of "Twoflower", a major update that fixes a lot of regressions in this branch. It introduces an important number of features for the Mac OS X platform, notably interface improvements to be on-par with the classic VLC interface, better performance and Retina Display support. VLC 2.0.2 fixes the video playback on older devices both on MS Windows and Mac OS X, includes overall performance improvements and fixes for a couple of hundreds of bugs. More info in the release notes . World IPv6 Launch 2012-06-04 The VideoLAN organization is taking part in the World IPv6 launch on June 6. All services including the website, the forums, the bugtracker and the git server are now accessible via IPv6. VideoLAN at LinuxTag 2012-05-21 We will presenting VLC and other VideoLAN projects at LinuxTag in Berlin this week (booth #167, hall 7.2a). Come around and have a look at our latest developments! Of course, we will also be present during LinuxNacht, in case that you prefer to share a beer with us. 1 billion thank you! 2012-05-09 VideoLAN would like to thank VLC users 1 billion times, since VLC has now been downloaded more than 1 billion times from our servers, since 2005! Get the numbers ! VLC 2.0.1 2012-03-19 After 15 million downloads of VLC 2.0.0 versions, VideoLAN and the VLC development team present the second version of "Twoflower", a bugfix release. Support for MxPEG files, new features in the Mac OS X interface are part of this release, in addition to faster decoding and fixes for hundred of bugs and regression, notably for HLS, MKV, RAR, Ogg, Bluray discs and many other things. This is also a security update . More info on the release notes . VLC 2.0.0 2012-02-18 After 485 million downloads of VLC 1.1.x versions, VideoLAN and the VLC development team present VLC 2.0.0 "Twoflower", a major new release. With faster decoding on multi-core, GPU, and mobile hardware and the ability to open more formats, notably professional, HD and 10bits codecs, 2.0 is a major upgrade for VLC. Twoflower has a new rendering pipeline for video, with higher quality subtitles, and new video filters to enhance your videos. It supports many new devices and BluRay Discs (experimental). It features a completely reworked Mac and Web interfaces and improvements in the other interfaces make VLC easier than ever to use. Twoflower fixes several hundreds of bugs, in more than 7000 commits from 160 volunteers. More info on the release notes . VideoLAN at SCALE 10x 2012-01-15 VideoLAN will have a booth (#74) at the Southern California Linux Expo at the Hilton Los Angeles Airport Hotel next week-end. The event will take place from Friday throughout Sunday. We will happily show you the latest developments and our forthcoming major VLC update. multicat 2.0 2012-01-04 VideoLAN is happy to announce the second major release of multicat . It brings numerous new features, such as recording chunks of a stream in a directory, and supporting TCP socket and IPv6, as well as bug fixes. Also aggregaRTP was extended to support retransmission of lost packets. DVBlast 2.1 2012-01-04 VideoLAN is happy to announce version 2.1 of DVBlast . It is a bugfix release, fixing in particular a problem with MMI menus present in 2.0. VLC engine relicensed to LGPL 2011-12-21 As previously stated , VideoLAN worked on the relicensing of libVLC and libVLCcore: the VLC engine. We are glad to announce that this process is now complete for VLC 1.2. Thanks a lot for the support. VLC 1.1.13 2011-12-20 VideoLAN and the VLC development team present VLC 1.1.13, a bug and security fix release. This release was necessary due to a security issue in the TiVo demuxer . Source code is available. DVBlast 2.0 and biTStream 1.0 2011-12-15 VideoLAN is happy to announce DVBlast 2.0, the fourth major release of DVBlast . It fixes a number of issues, such as packet bursts and CAM communication problems, adds more configuration options, and improves dvblastctl with stream information. It also gets rid of the runtime dependency on libdvbpsi thanks to biTStream. VideoLAN is also happy to introduce the first public release of biTStream , a set of C headers allowing a simpler access (read and write) to binary structures such as specified by MPEG, DVB, IETF, etc... It is released under the MIT license to avoid readability concerns being shadowed by license issues. It already has a pretty decent support of MPEG systems packet structures, MPEG PSI, DVB SI, DVB simulcast and IETF RTP. libaacs 0.3.0 2011-12-02 The doom9 researchers and the libaacs developers would like to present the first official release of their library of the implementation of the libaacs standard. libaacs 0.3.0 source code can be downloaded on the VideoLAN download service . Nota Bene: This library is of no use without AACS keys. libbluray 0.2.1 2011-11-30 VideoLAN and the libbluray developers would like to present the first official release of their library to help playback of Blu-Ray for open source systems. libbluray 0.2.1 source code can be downloaded on the VideoLAN ftp . VLC 1.1.12 2011-10-06 VideoLAN and the VLC development team present VLC 1.1.12, a bug and security fix release with improvements for audio output on Mac OS X and with PulseAudio. This release was necessary due to a security issue in the HTTP and RTSP server components, though this does not affect standard usage of the player. Binaries for Mac OS X and sources are available. Changing the VLC engine license to LGPL 2011-09-07 During the third VideoLAN Dev Days , last weekend in Paris, numerous developers approved the process of changing the license of the VLC engine to LGPL 2.1 (or later). This is the beginning of the process and will require the authorization from all the past contributors. See our press release on this process. libdvbpsi 0.2.1 2011-09-01 The libdvbpsi development team release version 0.2.1 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.1 is a bugfix release which corrects minor issues in libdvbpsi. For more information on features visit libdvbpsi main page . Invitation to VDD11 2011-08-15 VideoLAN would like to invite you to join us at the VideoLAN Dev Days 2011. This technical conference about open source multimedia, will see developers from VLC, libav, FFmpeg, x264, Phonon, DVBlast, PulseAudio, KDE, Gnome and other projects gather to discuss about open source development for multimedia projects. It will be held in Paris, France, on September 3rd and 4th , 2011. See more info, on the dedicated page. VLC 1.1.11 2011-07-15 VideoLAN and the VLC development team present VLC 1.1.11, a security release with some other improvements. This release was necessary due to two security issues in the real and avi demuxers. It also contains improvements in the fullscreen mode of the Win32 mozilla plugin, the MacOSX Media Key handling and Auhal audio output as well as bug fixes in GUI, decoders and demuxers.. Source and binaries builds for Windows and Mac are available. VLC 1.1.10.1 2011-06-16 Shortly after VLC 1.1.10, VideoLAN and the VLC development team present version 1.1.10.1, which includes small fixes for the Mac OS X port such as disappearing repeat buttons and restored Freebox TV access. Additionally, the installation size was reduced by up to 30 MB. See the release notes for more information on the additional improvements included from VLC 1.1.10. VLC 1.1.10 2011-06-06 VideoLAN and the VLC development team present VLC 1.1.10, a minor release of the 1.1 branch. This release, 2 months after 1.1.9, was necessary because some security issues were found (see SA 1104 ), and the VLC development team cares about security. This release brings a rewritten pulseaudio output, an important number of small Mac OS X fixes, the removal of the font-cache building for the freetype module on Windows and updates of codecs. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.10. libdvbpsi 0.2.0 2011-05-05 The libdvbpsi development team release version 0.2.0 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.0 marks a license change from GPLv2 to LGPLv2.1 . For more information on features visit libdvbpsi main page . Phonon VLC 0.4.0 2011-04-27 VideoLAN would like to point out that the Phonon team has released Phonon VLC 0.4.0 . The new version of the best backend for the Qt multimedia library features much improved stability, more video features and control as well as completely redone streaming input capabilities. You can read more on Phonon VLC 0.4.0 in the release announcement ! VLC 1.1.9 2011-04-12 VideoLAN and the VLC development team present VLC 1.1.9, a minor release of the 1.1 branch. This release, not long after 1.1.8, was necessary because some security issues were found, and the VLC development team cares about security. This release also brings updated translations and a lot of small Mac OS X fixes. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.9. libdvbcsa 1.1.0 is now out! 2011-04-03 libdvbcsa's new versions brings major speed improvements and optimizations of key schedules. It also fixes minor issues. You can get it now on our FTP or on the main libdvbcsa page! A new year of Google Summer of Code 2011-03-28 Instead of having a lousy student summer internship, why not working for VideoLAN and have an impact on millions of people world-wide? The Google Summer of Code program is starting soon and you should send your applications before April 8th 2011, 19:00 UTC, on the webapplication . You shouldn't wait for the last minute and we would like to remember that application can be modified afterwards and that you can submit multiple applications. Join the team now! VLC 1.1.8 and anti-virus software 2011-03-25 Yet again, broken anti-virus software flag the latest version of VLC on Windows as a malware. This is, once again, a false positive . As some of the anti-virus makers plainly refuse to fix their code, we recommend to our users to stop using Kaspersky , AVL , TheHacker or AVG . Users are advised to use the free Antivir or the new Microsoft Security Essential . Moreover , we advise users to download VLC only from videolan.org , as very numerous scam websites have appeared lately. VLC 1.1.8 2011-03-23 VideoLAN and the VLC development team present VLC 1.1.8, a minor release of the 1.1 branch. Small new features, many bugfixes, updated translations and security issues are making this release too. Notable improvements include updated look on Mac, new Dirac encoder, new VP8/Webm encoder, and numerous fixes in codecs, demuxers, interface, subtitles auto-detection, protocols and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.8. CeBit and 10 years of open source... 2011-02-28 The VideoLAN project and organization would like to thank everyone for the support during this month for our 10 years We'd like to invite you to meet us at the CeBIT , starting from tomorrow, in the open source lounge, Hall 2, Stand F44 . 10 years of open source for VideoLAN: end of 10 days... 2011-02-12 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 6 showed a selection of extensions ; Day 7 detailed a few secret features ; Day 8 showed a few nice cones ; Day 9 detailed our committers and download numbers ; Day 10 showed of a showed a promotionnal video . Please join the celebration! 10 years of open source for VideoLAN: continued... 2011-02-07 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 1 spoke about the early history of the project ; Day 2 spoke about the website design ; Day 3 showed a cool video ; Day 4 listed our preferred skins ; Day 5 showed of a photo of the team at the FOSDEM ; Day 6 (one day late) showed a selection of extensions . Please join the celebration! New website design 2011-02-02 As you might have seen, we've change the design of the main website . The website design was done by Argon and this project was sponsored by netzwelt.de . VLC 1.1.7 2011-02-01 VideoLAN and the VLC development team present VLC 1.1.7, a small security update on 1.1.6. Small new features, many bugfixes, updated translations and security issues were making the 1.1.6 release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.6. Source was available yesterday; binaries for Windows and Mac OS X are now available. 10 years of open source for VideoLAN 2011-02-01 The VideoLAN project and organization are proud to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software, that happened exactly 10 years ago. To celebrate, small infos, stories and goodies will be posted in the next ten days on this site . Day 1 speaks about the early history of the project Please join the celebration! VLC 1.1.6 2011-01-23 VideoLAN and the VLC development team are proud to present VLC 1.1.6, the sixth bugfix release of the VLC 1.1.x branch. Small new features, many bugfixes, updated translations and security issues are making this release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information. NB: The first versions for Intel-based Macs (64bit and Universal Binary) included a rtsp streaming bug, which also hindered access to the Freebox. Please re-download. End of support for VLC 1.0 series 2011-01-22 The VideoLAN team ceases all form of support for VLC media player versions 1.0.x. Focusing maintenance efforts on the current VLC 1.1 versions, and further development on the upcoming VLC 1.2 series, the VideoLAN team will not deliver any further update for VLC versions 1.0.x (last release was 1.0.6), and VLC 0.9.x (last release was 0.9.10). VLC 1.1.6 will be released shortly. This release will introdu
2026-01-13T09:30:37
https://pastebin.com/tools#windows
Pastebin.com - Tools & Applications Pastebin API tools faq paste Login Sign up Tools & Applications On this page you find tools, add-ons, extensions and applications created for Pastebin.com. If you are a developer and have built something using our API, we can feature your creation with your credits on this page. Be sure to contact us and tell us all about it. 1. Google Chrome Extension ** RECOMMENDED ** 2. Pastebin Manager for Windows 10 3. Pastebin Desktop for Windows 4. iPhone/iPad Application 5. Windows 8 & RT Application 6. Click.to Pastebin for Windows 7. Firefox Add-on 8. HP WebOS Application 9. BlackBerry Application 10. Android Application 11. Pastebin for Android Application 12. Pastebin for Android 13. Pastebin It! desktop tool for Mac OS X 14. Mac OS X Desktop Widget 15. Opera Extension 16. PastebinCL 17. Pastebin Ruby Gem 18. PastebinPython (Python Wrapper) 19. Brush (PHP Wrapper) 20. Pastebin.cs (C# Wrapper) 21. jPastebin (Java Wrapper) 22. Pastebin4Scala (Scala Wrapper) 23. PasteBin IntelliJ IDEA Plugin 24. Pastebin-JS 25. Pastebin Eclipse Plugin 26. Pastebin for Windows Phone 27. Pastebin Manager for Windows Phone 28. Another Pastebin for Windows Desktop 29. ShareX 30. Pastebin WordPress Embed Plugin 31. Share Code for Visual Studio Code 32. PasteToBin for Adobe Brackets Google Chrome Extension ** RECOMMENDED ** With this Google Chrome Extension you are able to create new pastes directly from your browser. A recommended extension for all Pastebin users who use Google Chrome. Version Download API Version Developer 3.0.1 DOWNLOAD 3.0 Joshua Luckers * Download Google Chrome Add-on iPhone/iPad Application ** NOT RECOMMENDED ** With this application you can create new pastes directly from your iOS devices suchs as the iPhone and iPad. Version Download API Version Developer 1.1 DOWNLOAD 3.1 Euphoric Panda (Adrian Hooper) * Download iPhone/iPad Application If you are looking for an iOS app, but didn't like the one above, please check out PasteMe an alternative app. * Download PasteMe (alternative iOS Application) Pastebin Manager for Windows 10 This is a great application for Windows 10. With this application installed you are able to take full advantage of your Pastebin.com account directly from your Windows 10 desktop. Version Download API Version Developer 2016.621 DOWNLOAD 3.0 deHoDev (Stefan Wexel) * Download Pastebin Manager for Window 10 Pastebin Desktop for Windows This is the official Pastebin Desktop application for Windows based computers. With this application installed you are able to take full advantage of your Pastebin.com account directly from your Windows desktop. You will get a small icon in your system tray which will be your access to the full application. You are able to set customized shortcuts which will automatically create a new paste of the text that is stored in your clipboard. This way you never have to lose a code snippet again. This application is totally free and will always remain free. Version Download API Version Developer 1.1 DOWNLOAD 3.0 Leke Dobruna * Download Pastebin Desktop 1.1 via Download.com * Download Pastebin Desktop 1.1 via Pastebin.com Windows 8 & RT Application With this application you can create new pastes directly from your Windows 8 & RT Metro interface. Version Download API Version Developer 1.0 DOWNLOAD 3.0 Victor Häggqvist * Download Windows 8 & RT Application Also for Windows 8 & RT is PasteWin another similar application. Worth checking out :) Click.to Pastebin for Windows Both Pastebin.com and Click.to rely on the copy and paste principle. Pastebin.com provides users with a platform where you can store and share source code. Click.to saves its users clicks between Copy and Paste commands by offering a variety of further uses for copied content. With this new application for Windows you can store all your ctrl+c's instantly online. Version Download API Version Developer 0.92 DOWNLOAD 3.0 Click.to * Download Click.to Pastebin for Windows via Pastebin.com * Download Click.to Pastebin for Mac Firefox Extension With this Firefox Add-on you are able to create new pastes directly from your browser. A recommended add-on for all Pastebin users who use Firefox. Version Download API Version Developer 3.0 DOWNLOAD 3.0 Prafulla Kiran * Download Firefox Extension HP WebOS Application With this application you can create new pastes directly from your HP WebOS devices. Version Download API Version Developer 2.1 DOWNLOAD 3.0 Ben Fysh * Download HP WebOS Application BlackBerry Pastebin Application With this application you can create new pastes directly from your BlackBerry devices. Version Download API Version Developer 1.0.0.2 DOWNLOAD 3.0 Derek Konigsberg * Download BlackBerry Application Android Application With this application you can create new pastes directly from your Android devices. Version Download API Version Developer 2.1 DOWNLOAD 3.0 Jamie Countryman * Download Android Application Pastebin for Android Application With this application you can create new pastes directly from your Android devices. Version Download API Version Developer 2.1 DOWNLOAD 3.0 Jobin Johnson * Download Android Application Pastebin for Android With this application you can create new pastes directly from your Android devices. Version Download API Version Developer 3.0 DOWNLOAD 3.0 Pzy64 * Download Android Application Pastebin It! desktop tool for Mac OS X With this application you can create new pastes directly from your Mac OS X interface. Version Download API Version Developer 1.0 DOWNLOAD 3.1 PrismTechnologyWales * Pastebin It! desktop tool for Mac OS X Mac OS X Desktop Widget You can place this widget on your Mac OS X desktop and create new pastes. Version Download API Version Developer 1.0 DOWNLOAD 3.0 Radek Slupik * Download Mac OS X Desktop Widget Opera Extension With this Opera Extension on you are able to create new pastes directly from your browser. A recommended extension for all Pastebin users who use Opera. Version Download API Version Developer 1.0 DOWNLOAD 3.0 CycaHuH * Download Opera Extension PastebinCL for UNIX (Pastebin command-line) PastebinCL is a small program designed for UNIX based systems to quickly paste any piece of text to Pastebin.com. A manual for PastebinCL can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 Theophile BASTIAN * Download PastebinCL Pastebin Ruby Gem (Pastebin command-line) This is a nifty little tool written in Ruby to quickly paste any piece of text to Pastebin.com. Version Download API Version Developer 2.2 DOWNLOAD 3.0 dougsko * Download Pastebin Ruby Gem jPastebin (Pastebin API wrapper for Java) A complete pastebin.com API wrapper for Java. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 BrianBB * Download jPastebin Pastebin4Scala (Pastebin API wrapper for Scala) A complete pastebin.com API wrapper for Scala. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 lare96 * Download Pastebin4Scala Pastebin IntelliJ IDEA Plugin A great plugin for Pastebin in IntelliJ IDEA. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 Kennedy Oliveira * Download Pastebin IntelliJ Plugin PastebinPython (Pastebin API wrapper for Python) A complete pastebin.com API wrapper for Python. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 Ferdinand E. Silva * Download PastebinPython * Download another Python class for Pastebin API Brush (Pastebin API wrapper for PHP) A complete pastebin.com API wrapper for PHP. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 George Brighton * Download Brush Pastebin.cs (Pastebin API wrapper for C#) A complete pastebin.com API wrapper for C#. More information can be found here . Version Download API Version Developer 1.0 DOWNLOAD 3.0 Tony J. Montana * Download Pastebin.cs Pastebin-JS (NodeJS module for Pastebin) A NodeJS module for the Pastebin API. More information can be found here . Version Download API Version Developer 0.0.1 DOWNLOAD 3.0 Jelte Lagendijk * Download Pastebin-JS Pastebin Eclipse Plugin Make and manage your pastebin code from Eclipse without restrictions. Version Download API Version Developer 1.0 DOWNLOAD 3.0 Miclen * Download Pastebin Eclipse Plugin Pastebin for Windows Phone With this application you can create new pastes directly from your Windows Phone devices. Version Download API Version Developer 1.0 DOWNLOAD 3.0 Alexander Schuc * Download Pastebin for Windows Phone Pastebin Manager for Windows Phone With this application you can create new pastes directly from your Windows Phone devices. Version Download API Version Developer 1.0.0.1 DOWNLOAD 3.0 deHoDev (Stefan Wexel) * Download Pastebin Manager for Windows Phone Also for Windows Phone is Paste It! another similar application. Worth checking out :) Another Pastebin for Windows Desktop With this application installed you are able to take full advantage of your Pastebin.com account directly from your Windows desktop. Version Download API Version Developer 1.6 DOWNLOAD 3.1 SoftwareSpot * Download Another Pastebin for Windows Desktop ShareX With this application installed you are able to instantly upload your clipboard's content to Pastebin. This program can also be used for many other things, such as image uploading. Version Download API Version Developer 9.4.2 DOWNLOAD 3.1 ShareX * Download ShareX Pastebin WordPress Embed Plugin Using this plugin you can embed content from Pastebin to your WordPress post/page using nothing but a URL. Just copy the paste URL from pastebin.com and paste it to your post. Version Download API Version Developer 1.0 DOWNLOAD 3.1 Rami Yushuvaev * Download Pastebin WordPress Embed Plugin Share Code for Visual Studio Code Quickly upload your code to Pastebin with this handy Share Code extension for Visual Studio Code. Version Download API Version Developer 1.0 DOWNLOAD 3.1 Roland Greim * Download Share Code for Visual Studio Code PasteToBin for Adobe Brackets Adobe Brackets extension that allows upload snippets to pastebin quickly. Version Download API Version Developer 1.0 DOWNLOAD 3.1 Wojciech Połowniak * Download PasteToBin for Adobe Brackets Public Pastes Untitled 8 min ago | 0.94 KB Untitled 18 min ago | 0.94 KB Untitled 29 min ago | 0.94 KB Untitled 39 min ago | 0.94 KB Untitled 49 min ago | 0.94 KB Untitled 59 min ago | 0.94 KB Untitled 1 hour ago | 10.19 KB Untitled 3 hours ago | 13.48 KB create new paste  /  syntax languages  /  archive  /  faq  /  tools  /  night mode  /  api  /  scraping api  /  news  /  pro privacy statement  /  cookies policy  /  terms of service  /  security disclosure  /  dmca  /  report abuse  /  contact By using Pastebin.com you agree to our cookies policy to enhance your experience. Site design & logo © 2026 Pastebin We use cookies for various purposes including analytics. By continuing to use Pastebin, you agree to our use of cookies as described in the Cookies Policy .   OK, I Understand Not a member of Pastebin yet? Sign Up , it unlocks many cool features!  
2026-01-13T09:30:37
https://x.com/he_zhenghao
JavaScript is not available. We’ve detected that JavaScript is disabled in this browser. Please enable JavaScript or switch to a supported browser to continue using x.com. You can see a list of supported browsers in our Help Center. Help Center Terms of Service Privacy Policy Cookie Policy Imprint Ads info © 2026 X Corp. Something went wrong, but don’t fret — let’s give it another shot. Try again Some privacy related extensions may cause issues on x.com. Please disable them and try again.
2026-01-13T09:30:37
https://www.hcaptcha.com/gdpr.html
GDPR Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In DE - ES  - FR  - PT - PT (BR) hCaptcha's approach to GDPR compliance Last updated: January 15, 2024 ‍ This page is intended to answer common questions about our data processing under the GDPR. Background on the hCaptcha service, what it does, and our values hCaptcha offers a security-focused machine learning product suite operated by Intuition Machines, a company headquartered in the United States with global operations that licenses software and delivers services to businesses of all sizes around the world. hCaptcha is uniquely privacy focused, and has been since its creation. This is a cultural practice for us: hCaptcha engineers have played important roles across the privacy and security ecosystem, contributing to projects like Tor, Signal, and Brave, IETF privacy protocol standards, open-source encryption libraries, and more. Unlike other security services, hCaptcha is designed to operate without any long-term retention of personal data at all. Our goal has been to find technical solutions to operate security services with truly minimized information at every step, and we are proud of the innovations in privacy-preserving machine learning and privacy-first distributed systems processing that we have made along the way. These include user-local data processing, our "Zero PII" and "First-Party Hosting" Enterprise features, and more. We endeavor to maintain strict data retention and minimization policies for personal data related to our customers' end users (each an "End User") and do not sell or rent End User personal data, consistent with our role as a data processor. We are enrolled in the EU-US, UK-US, and Swiss-US Data Privacy Framework agreements to provide additional assurance to users of our services in those regions, in addition to our use of the Standard Contractual Clauses. For more detail on our privacy practices and information on our enrollment within the EU-US, UK-US, and Swiss-US Data Privacy Framework, please see our Privacy Policy . ‍ FAQs 1. What personal data does hCaptcha process for its customers and where? hCaptcha endeavors not to control or maintain any long-term retention of End User personal data its customers choose to transmit to hCaptcha. We have designed our systems to avoid personal data collection or processing where possible. Where this is not possible, we promptly discard and/or anonymize any such data. Regardless of the hCaptcha services our customers use, they, as the controllers of personal data, have an obligation to be fully responsible for their own compliance with applicable privacy laws and establish independent contractual arrangements in connection with the data they choose to transmit to hCaptcha. The types of personal data hCaptcha processes on behalf of a customer depend on which hCaptcha services are implemented. For example, they depend on the features a customer has enabled. In some cases, hCaptcha collects and processes no personal data at all. hCaptcha processes the vast majority of data within one of our many regional servers around the world. Our services are designed to process personal data using computing or network equipment within close proximity to End Users. We process metadata on behalf of our customers in our main data centers in Europe and, if applicable, the US. hCaptcha maintains limited, sampled log data about events on our network in order to operate our services. For example, if a system error occurs, we may generate a sampled error log. Some of this log data may include information about End Users of our customer’s domains, networks, websites, application programming interfaces ("APIs"), or applications. This metadata contains either no personal data or extremely limited personal data, most often in the form of IP addresses. We process this type of information on behalf of our customers in our main data centers in Europe and, if applicable, the US for a limited period of time. 2. What specific technical and organizational security measures does hCaptcha provide for personal data? Security is important to our operations, and we undergo regular external audits to maintain third-party validation of our security practices, including ISO 27001 (a globally recognized information security standard) and SOC 2 Type II security certifications. hCaptcha has also been certified to ISO 27701, covering its systems for management of privacy information. ISO 27701 is a comprehensive global standard that allows hCaptcha to demonstrate compliance with the GDPR principles of data processing, data subject rights, and data breach notification. To view the security measures hCaptcha uses for the protection of personal data, including personal data transferred from the European Economic Area (" EEA ") to the U.S., please see Exhibit A of our standard Data Processing Agreement . 3. How does hCaptcha address the requirements of the GDPR to have appropriate safeguards in place when transferring personal data outside the EEA? The GDPR provides several mechanisms to ensure that appropriate safeguards, enforceable rights, and effective legal remedies are available to the EEA data subjects, whose personal data is transferred from the EEA to a third country. Those mechanisms include: - Where the European Commission (“ Commission ”) has decided that a third country ensures an adequate level of protection after assessing that country’s rule of law, respect for human rights and fundamental freedoms, and a number of other factors; - Where a controller or processor has put in place binding corporate rules; - Where a controller or processor has in place standard data protection clauses adopted by the Commission; or - Where a controller or processor has put in place an approved code of conduct or an approved certification mechanism. hCaptcha relies on the Commission's Standard Contractual Clauses ("SCCs") as a legal mechanism to transfer personal data from the EEA to the U.S. However, we endeavor to minimize or entirely eliminate any such transfers depending on the products and features enabled by our customers. hCaptcha is also enrolled in the EU-US, UK-US, and Swiss-US Data Privacy Framework agreements to provide additional assurance to users of our services in those regions, in addition to our use of the Standard Contractual Clauses. 4. What additional data protection safeguards does hCaptcha provide? The best data protection safeguard of all is simply to not have the personal data in the first place. We have innovated in this area with our "Zero PII" features for enterprise customers, allowing them to partially or completely remove any personal data from our purview depending on their needs. We also minimize retention for all data, whether or not it contains personal data. We require legal process before providing any government entity with any customer data outside of an emergency or limited instances of fraud by a customer as determined by us. We will provide our customers with notice of any legal process requesting their customer or billing information before disclosure of that information unless legally prohibited or related to fraud by a customer. An example of fraud by a customer would be creating an account with us solely to embed hCaptcha on a phishing page, in order to more convincingly mimic the login page of another one of our customers and attempt to fool their users into giving up their credentials for abuse. To date, we have never turned over encryption keys to any government, received a legal order to provide private data, provided any government any private data, or deployed law enforcement equipment within our services. We believe that government requests for personal data that conflict with the privacy laws of a person's country of residence should be legally challenged. The European Data Protection Board (“ EDPB ”) recognized that the GDPR might pose such a conflict in this assessment. Our commitment to GDPR compliance means that hCaptcha would evaluate legal remedies before producing data identified as being subject to the GDPR in response to a U.S. government request for data.Consistent with the existing U.S. case law and statutory frameworks, hCaptcha may ask U.S. courts to quash a request from U.S. authorities for personal data based on such a conflict of law. 5. Does the U.S. Clarifying Lawful Overseas Use of Data ("CLOUD") Act affect how hCaptcha views its obligation to turn over data in response to U.S. government legal process? We believe that U.S. government requests for the personal data of a non-U.S. person that conflict with the privacy laws of that person's country of residence(such as the GDPR in the EU) should be legally challenged. The CLOUD Act does not expand the U.S. investigative authority, and applies to access to content, which we generally do not store or have access to at all, as described above. Furthermore, the CLOUD Act does not change existing practices when U.S. law enforcement seeks access to corporate data. It is important to note that law enforcement would typically seek to obtain data from the entity that has effective control of the data (i.e., our customers) rather than cloud providers. 6. How do recent Court of Justice of the European Union (CJEU) decisions inform our approach to GDPR compliance? hCaptcha will continue to make the latest adopted SCCs available to our customers whose data is subject to the GDPR, and we are following developments in SCCs as well as the new alternative transfer mechanisms. We have enrolled in the EU-US Data Privacy Framework, and believe the recent CJEU adequacy decision strengthens both our use of SCCs and the additional protection provided by the new alternative transfer mechanism under the DPF. We will briefly cover the U.S. national security authorities as discussed in the Schrems II case below. Section 702. Section 702 of the Foreign Intelligence Surveillance Act ("FISA")is an authority that allows the U.S. government to request the communications of non-U.S. persons located outside of the United States for foreign intelligence purposes. The U.S. government may use section 702 to collect the content of communications through specific "selectors", such as email addresses, that are associated with specific foreign intelligence targets. Because the authority is often used to collect the content of communications, the "electronic communications service providers" asked to comply with section 702 are typically email providers or other providers with access to the content of communications. hCaptcha does not have access to this type of traditional customer content for our core services. In addition, to date, hCaptcha has never provided any government any kind of data feed related to other customers, and we would evaluate all legal remedies if we were asked to do so in order to protect our customers from what we believe are illegal or unconstitutional requests. Executive Order 12333. Executive Order 12333 governs US intelligence agencies' foreign intelligence collection targeting non-U.S. persons outside the United States. Executive Order 12333 does not have provisions to compel the assistance of U.S. companies. hCaptcha requires legal process before providing any government entity with access to any customer data outside of an emergency or fraud committed by a customer. We have no intention of complying with voluntary government requests for data under Executive Order 12333. We have also never weakened, compromised, or subverted any of our encryption at the request of a government or other third party. ‍ 7. How can Customers who do not have an Enterprise agreement make sure the SCCs are in place with hCaptcha? Our Master Terms of Service incorporate our standard DPA by reference. Where the personal data we process on behalf of our self-serve customers is governed by the GDPR, then our DPA incorporates the EU and UK SCCs. Therefore, no action is required to ensure that the SCCs are in place. 8. How can Enterprise Customers make sure the SCCs are in place with hCaptcha? Our standard Enterprise Subscription Agreement (" ESA ") and Master Subscription Agreement (" MSA ") incorporate our standard DPA by reference. Therefore, no action is required for these customers. To the extent the personal data we process on behalf of the customer is governed by the GDPR, our DPA incorporates the EU and UK SCCs. Enterprise customers may contact their customer success manager with any questions about their DPA. ‍ 9. How is hCaptcha responding to the new SCCs? We incorporated the Commission's SCCs released on June 4, 2021, into new customer contracts and our updated Master Terms of Service for customers subject to the GDPR. 10. What tools does hCaptcha have for its customers to geographically restrict access to data? By default, analytics data is already stored in the EU, and sessions are processed on equipment close to the End User in many regions around the world (i.e., on equipment in a country where the End User is located or close by in most cases). We recognize that some of our customers would prefer that any personal data subject to the GDPR remain in the EU and not be transferred to the U.S. for processing. This happens automatically in most cases already, but we provide additional features for Enterprise customers to create hard technical guarantees on what data is stored, where data will be processed, and when practicable to entirely eliminate or pre-blind this data before it reaches us for processing via our Zero PII features. 11. Are there any enforceable rights and effective remedies available to the EU data subjects in the U.S. where data is processed by hCaptcha or hCaptcha's sub-processors? hCaptcha requires valid legal process before providing the personal information of our customers to government entities or civil litigants, unless there is an emergency or fraud is committed by the customer. We do not provide our customers' personal data to government officials in response to requests that do not include legal process. To ensure that our customers have the opportunity to enforce their rights, it is hCaptcha's policy to notify our customers of a subpoena or other legal process requesting their personal data before disclosing it, regardless of whether the legal process comes from the government or private parties involved in civil litigation, unless legally prohibited. In addition, U.S. law provides mechanisms for companies to challenge orders that pose potential conflicts of law, such as a legal request for personal data subject to GDPR. The CLOUD Act, for example, provides mechanisms for a provider to petition a court to quash or modify a legal request that poses such a conflict of law. That process also allows a provider to disclose the existence of the request to a foreign government whose citizen is affected if that government has signed a CLOUD Act agreement with the United States. hCaptcha endeavors to legally challenge any orders that pose such a conflict of law. To date, we have received no orders that we have identified as posing such a conflict. 12. How is hCaptcha dealing with cross-border transfers to and from the UK? hCaptcha will continue to utilize the EU SCCs mechanism coupled with the UK data transfer addendum, which are included in our standard DPA, to transfer personal data outside the UK and EEA. We have also enrolled in the UK-US extension to the EU-US Data Privacy Framework, which additionally covers such transfers. This program is also referred to as the UK-US Data Bridge, and came into force on October 12 2023. We are continuing to monitor ongoing developments in this space and will ensure our ongoing compliance with the UK data protection laws and regulations. 13. How should hCaptcha customers keep End Users informed of personal data processing that is subject to the GDPR? Some implementations of hCaptcha do not transmit any personal data at all to hCaptcha, so the specific steps customers should take depend upon their implementation. We cannot provide hCaptcha customers with legal advice, so each hCaptcha customer should consult with their legal counsel regarding their obligations around the use of hCaptcha based on their specific set of facts. In scenarios where personal data subject to GDPR could be processed by hCaptcha on behalf of a controller of this personal data, we have provided some example language that hCaptcha customers can review in connection with their own transparency (privacy policy) obligations under the GDPR. The language can be found in our FAQ at this website . hCaptcha customers that exclusively serve data subjects whose personal data is subject to the GDPR may also prefer to use our feature to disable the default terms and privacy links on the hCaptcha interface in order to communicate that only the hCaptcha customer’s terms and privacy policy apply. Please contact support if you would like more information on this feature. However, hCaptcha’s linked privacy policy communicates this point in its "Note to European Economic Area Residents" section and addresses many other privacy laws outside of the EU, so hCaptcha customers may choose to leave the links in place when a customer site serves both GDPR and other global traffic. Note that the information and links provided by hCaptcha on this page are not legal advice. hCaptcha customers should consult with qualified counsel in the jurisdictions in which they operate if they have further questions about hCaptcha or their specific use cases. 14. How should End Users who interact with hCaptcha in our role as a processor, i.e., embedded within another website or mobile app, exercise their data subject rights? End Users should contact the operator of the website or mobile app directly. hCaptcha is not the controller of the End User personal data it processes and may not be a processor either depending on the details of the customer’s implementation. In some cases, a hCaptcha customer acting as a processor or controller may license the hCaptcha software to run within their network, so simply seeing hCaptcha’s logo does not mean that we are processing personal data for a particular online service. Note that deletion requests forwarded to hCaptcha by hCaptcha customers on behalf of End Users will generally not result in any additional actions aside from confirmation of receipt. No personal data is retained long-term by hCaptcha, and hCaptcha is unable to tie data in the system to specific End Users of hCaptcha customers, as we do not receive or process personal data that, by itself, can identify End Users in the real world like names, email addresses, or usernames. ‍ Disclaimers The information provided only applies to the processing of personal data that is subject to the GDPR. This page is for informational purposes only and does not provide legal guidance or assistance, form a contract or other agreement, or otherwise create additional obligations for hCaptcha. However, we believe it is an accurate summary of the topics covered as of the date of publication listed on this page. Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://www.hcaptcha.com/post/preparing-for-ai-agents
Preparing for AI Agents | Blog - hCaptcha Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In ← Back to Blog Research Preparing for AI Agents February 7, 2025 Share AI agents are coming. How should you prepare? Last updated: April 15, 2025 What Are AI Agents and Why Should You Care? You use online services every day, but many of the steps to complete any given task you want to achieve may not be especially enjoyable. Perhaps you're tired of filling out forms, booking tickets, or ordering groceries online. You know what you want done, but even when describing the goal is very fast, doing it can take much longer. Wouldn't it be convenient if someone (or something) could do it for you? Enter AI agents like OpenAI Operator, Claude Computer Use, and dozens of other competitors. These tools act like virtual assistants, navigating websites and completing tasks humans usually do. They interpret screens, click buttons, type text, and make decisions based on your instructions. You've likely spotted the issue here already. ‍ When machines start acting like people online, things get complicated. Websites designed for human users may not always recognize or trust these digital helpers. And what happens if they're used improperly? They can easily become a threat to your privacy or do things you didn't intend. These are early days for general awareness of agents, but at hCaptcha we've been tracking this technology for years. Below is a brief primer on AI agents, along with our thoughts as to how online security will change as they start to reach the mainstream. ‍ How Do AI Agents Affect Online Security? When AI agents perform tasks online, they leave traces behind. For example, OpenAI Operator interacts with web pages by analyzing screenshots and mimicking mouse movements. While this makes life easier for users, it raises questions for website owners. Is that "visitor" really human? Or is it an automated tool doing something that could harm the website or its users? These agents can blur the line between useful automation and potential harm. On one hand, they streamline repetitive work. On the other, they can enable unauthorized actions, such as scraping sensitive data, automating purchases of limited release items, or traditional abuse like spam. Even well-intentioned agents may trigger security alerts due to their overlap with abusive agents, leading to blocked accounts or restricted access. This tension highlights why detecting and managing AI agents is crucial for maintaining robust online defenses. ‍ Can We Detect AI Agents? Detecting AI agents isn't always easy. Unlike traditional bots, which follow predictable patterns, AI agents mimic human behavior more closely. They move cursors, click buttons, and navigate menus much like real users. This sophistication makes them harder to spot, but not impossible. Tools like hCaptcha Enterprise specialize in identifying both good and bad bots, including advanced AI agents. By using more holistic signals analysis, the most advanced security systems can distinguish legitimate automation from suspicious activity. For instance, a shopping assistant bot helping customers find products won't raise red flags, but an agent probing login forms likely will. Detection ensures that only authorized agents operate within safe boundaries, keeping systems secure without stifling innovation. ‍ Are AI Agents Good, Bad, or Mixed? Not all agents are created equal. Some, like search engine crawlers, identify themselves and serve useful functions by indexing web content for better discoverability. Others, like customer service chatbots, improve user experiences by providing instant answers. These examples show how AI agents can enhance efficiency and convenience. However, there's a darker side. Malicious actors can program AI agents or classic bad bots to scrape personal data, launch brute-force attacks, or spread misinformation. Even worse, some agents straddle the line between helpful and harmful. Consider an e-commerce scraper: it might gather pricing data for competitive analysis, but overuse could overwhelm servers or violate terms of service. Determining intent matters, but so does context. That's where more nuanced tools like hCaptcha Private Learning come in, differentiating between acceptable and risky behaviors based on business logic, whether traffic is human or automated. ‍ Is Your AI Agent Doing What You Intend? Even if you deploy an AI agent for good reasons, there's no guarantee it'll stay under control. Malware lurking on your computer could hijack the agent, turning it into a weapon for cybercriminals. This is especially problematic as current designs often have you authorize "tool use" only once, e.g. connecting your payment method to your new agent. Imagine an agent you asked to book concert tickets instead stealing your payment details or starting to post spam instead. This is coming very soon, unfortunately. To detect and prevent this, monitoring tools must verify that agents stick to their intended purposes. hCaptcha Private Learning excels here, analyzing activity to ensure alignment with expected goals. If an agent deviates, e.g. by performing unusual actions, additional safeguards can automatically be deployed by the online service. These safeguards are required to protect against accidental misuse and deliberate sabotage, giving users peace of mind while leveraging AI capabilities responsibly. ‍ What Does the Future Hold for AI Agents and Cybersecurity? As AI agents grow smarter, their impact on online activity, and thus cybersecurity, will deepen. We expect major advances in how these tools learn and adapt over the next few years, making them more versatile but harder to regulate. Companies must balance embracing automation with safeguarding against abuse. For now, focus on adopting best practices. Focus on defense in depth, and consider more advanced systems like hCaptcha Enterprise to maintain oversight. Technology evolves, but vigilance is eternal. By staying informed and ensuring we have adequate defenses in place, we can harness AI agents' benefits while minimizing risks. ‍ Subscribe to our newsletter Stay up to date on the latest trends in cyber security. No spam, promise. Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. ← Back to blog Research Report: Browser Agent Safety is an Afterthought for Vendors We tested agents on 20 of the most common abuse scenarios, from multi-accounting to card testing and support impersonation. Across the board, these products attempted nearly every malicious request. October 28, 2025 Research Are all residential proxy services criminal organizations? An in-depth analysis of the residential proxy service industry, revealing a significant disconnect between its purported legitimate uses and actual observed traffic. July 31, 2025 Attack Prevention Your WAF Probably Won't Stop Distributed Attacks WAFs often tout their ability to stop scaled attacks, but the tools attackers use have changed. July 14, 2025 Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://hcaptcha.com/dmca.html
hCaptcha - DMCA Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In DE - ES  - FR  - PT - PT (BR) Reporting DMCA Complaints DMCA Registered Agent The hCaptcha Designated Agent for the Digital Millennium Copyright Act (DMCA) is dmca@intuitionmachines.com. Alternate methods of contact are documented in the U.S. Copyright Office DMCA Designated Agent Directory here . Repeat Infringer Policy As part of our DMCA Policy, we place accounts of customers for whom we receive multiple DMCA notifications of alleged infringement into a multi-step DMCA Repeat Infringer Policy. Upon receipt of repeated DMCA notifications in a calendar month, the customer account will progress from one policy step to the next one. Actions that we may take under the DMCA Repeat Infringer Policy include sending alerts of increased visibility to the account’s customer of record. In order to acknowledge these alerts, we may require the customer to log in to the account or call our support team. We also reserve the right to suspend or terminate, as well as apply other interim measures to, the hCaptcha and IMI service of any customer for whom we have continued to receive DMCA notifications of alleged infringement even after we have sent repeat infringer alerts. In addition, we may terminate in our sole discretion other hCaptcha or IMI services provided to these customers when we terminate the hCaptcha service under this policy. Other Complaints If you see content that belongs to you reproduced on the hCaptcha platform and would like it removed for any reason, you may contact us via email. Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
http://www.videolan.org/news.html#news-2021-09-20
News - VideoLAN * { behavior: url("/style/box-sizing.htc"); } Toggle navigation VideoLAN Team & Organization Consulting Services & Partners Events Legal Press center Contact us VLC Download Features Customize Get Goodies Projects DVBlast x264 x262 x265 multicat dav1d VLC Skin Editor VLC media player libVLC libdvdcss libdvdnav libdvdread libbluray libdvbpsi libaacs libdvbcsa biTStream vlc-unity All Projects Contribute Getting started Donate Report a bug Support donate donate Donate donate donate VideoLAN, a project and a non-profit organization. News archive VLC 3.0.23 2026-01-08 VideoLAN and the VLC team are publishing the 3.0.23 release of VLC today, which is the 24th update to VLC's 3.0 branch: it updates codecs, adds a dark mode option on Windows and Linux, support for Windows ARM64 and improves support for Windows XP SP3. This is the largest bug fix release ever with a large number of stability and security improvements to demuxers (reported by rub.de, oss-fuzz and others) and updates to most third party libraries. Additional details on the release page . The security impact of this release is detailed here . The major maintenance effort of this release to strengthen VLC's overall stability as well as the compatibility with old releases of Windows and macOS was made possible by a generous sponsorship of the Sovereign Tech Fund by Germany's Federal Ministry for Digital Transformation and Government Modernisation. VLC for iOS, iPadOS and tvOS 3.7.0 2026-01-08 Alongside the 3.0.23 release for desktop, VideoLAN and the VLC team are publishing a larger update for Apple's mobile platforms to include the latest improvements of VLC's 3.0 branch plus important bug fixes and amendments for the 26 versions of the OS. Previously, we added pCloud as a European choice for cloud storage allowing direct streaming and downloads within the app. New releases for biTStream, DVBlast and multicat 2025-12-01 We are pleased to release versions 1.6 of biTStream , 3.5 of DVBlast and 2.4 of multicat . DVBlast and multicat had major improvements and new features. New releases for libdvdcss, libdvdread and libdvdnav 2025-11-09 New releases of libdvdread , libdvdnav and libdvdcss have been published today. The biggest features of those releases (libdvdread/nav 7 and libdvdcss 1.5) are related to DVD-Audio support, including DRM decryption. VLC for Android 3.6.0 2025-01-13 We are pleased to release version 3.6.0 of the VLC version for the Android platform. It comes with the new Remote Access feature, a parental control and a lot of fixes. See our Android page . VLC 3.0.21 2024-06-10 VideoLAN and the VLC team are publishing the 3.0.21 release of VLC today, which is the 22nd update to VLC's 3.0 branch: it updates codecs, adds Super Resolution and VQ Enhancement filtering with AMD GPUs, NVIDIA TrueHDR to generate a HDR representation from SDR sources with NVIDIA GPUs and improves playback of numerous formats including improved subtitles rendering notably on macOS with Asian languages. Additional details on the release page . This release also fixes a security issue, which is detailed here . VLC for iOS, iPadOS and Apple TV 3.5.0 2024-02-16 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding playback history, A to B playback, Siri integration, support for external subtitles and audio tracks, a way to favorite folders on local network servers, improved CarPlay integration and many small improvements. VLC 3.0.20 2023-11-02 Today, VideoLAN is publishing the 3.0.20 release of VLC, which is a medium update to VLC's 3.0 branch: it updates codecs, fixes a FLAC quality issue and improves playback of numerous formats including improved subtitles rendering. It also fixes a freeze when using frame-by-frame actions. On macOS, audio layout problems are resolved. Finally, we update the user interface translations and add support for more. Additional details on the release page . This release also fixes two security issues, which are detailed here and there . VLC for iOS, iPadOS and Apple TV 3.4.0 2023-05-03 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new audio playback interface, CarPlay integration, various improvements to the local media library and iterations to existing features such as WiFi Sharing. Notably, we also added maintenance improvements to the port to tvOS including support for the Apple Remote's single click mode. See the press release for details. VLC 3.0.18 2022-11-29 Today, VideoLAN is publishing the 3.0.18 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . This release also fixes multiple security issues, which are detailed here . VideoLAN supports the UNHCR 2022-10-24 VideoLAN is a de-facto pacifist organization and cares about cross-countries cooperations, and believes in the power of knowledge and sharing. War goes against those ideals. As a response Russia's invasion of Ukraine, we decided to financially support the United Nations High Commissioner for Refugees and their work on aiding and protecting forcibly displaced people and communities, in the places where they are necessary. See our press statement . VLC for Android 3.5.0 2022-07-20 VideoLAN is proud to release the new major version of VLC for Android. It comes with new widgets, network media indexation, a better tablet and foldable support, design improvements in the audio screen, improved accessibility and performance improvements. VLC 3.0.17 2022-04-19 Today, VideoLAN is publishing the 3.0.17 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . VLC for iOS, iPadOS and tvOS 3.3.0 2022-03-21 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new video playback interface, support for NFS and SFTP network shares and major improvements to the media handling especially for audio. See the press release . libbluray releases 2022-03-06 libbluray and related libraries, libaacs and libbdplus, have new releases, focused on maintenance, minor improvements, and notably new OSes and new java versions compatibility. See libbluray , libaacs and libbdplus pages. VLC and log4j 2021-12-15 Since its very early days in 1996, VideoLAN software is written in programming languages of the C family (mostly plain C with additions in C++ and Objective-C) with the notable exception of its port to Android, which was started in Java and recently transitioned to Kotlin. VLC does not use the log4j library on any platform and is therefore unaffected by any related security implications. VLC for Android 3.4.0 2021-09-20 We are pleased to release version 3.4.0 of the VLC version for the Android platforms. Still based on libVLC 3, it revamps the Audio Player and the Auto support, it adds bookmarks in each media, simplifies the permissions and improves video grouping. See our Android page . VLC 3.0.16 2021-06-21 Today, VideoLAN is publishing the 3.0.16 release of VLC, which fixes delays when seeking on Windows, opening DVD folders with non-ASCII character names, fixes HTTPS support on Windows XP, addresses audio drop-outs on seek with specific MP4 content and improves subtitles renderering. It also adds support for the TouchBar on macOS. More details on the release page . VLC 3.0.14, auto update issues and explanations 2021-05-11 VLC users on Windows might encounter issues when trying to auto update VLC from version 3.0.12 and 3.0.13. Find more details here . We are publishing version 3.0.14 to address this problem for future updates. VLC 3.0.13 2021-05-10 VideoLAN is now publishing 3.0.13 release, which improves the network shares and adaptive streaming support, fixes some MP4 audio regressions, fixes some crashes on Windows and macOS and fixes security issues. More details on the release page . libbluray 1.3.0 2021-04-05 A new release of libbluray was pushed today, adding new APIs, to improve the control of the library, improve platforms support, and fix some bugs. See our libbluray page. VideoLAN is 20 years old today! 2021-02-01 20 years ago today, VideoLAN moved from a closed-source student project to the GNU GPL, thanks to the authorization of the École Centrale Paris director at that time. VLC has grown a lot since, thanks to 1000 volunteers! Read our press release! . VLC for Android 3.3.4 2021-01-21 VideoLAN is now publishing the VLC for Android 3.3.4 release which focuses on improving the Chromecast support. Since the 3.3.0 release, a lot of improvements have been made for Android TV, SMB support, RTL support, subtitles picking and stability. . VLC 3.0.12 2021-01-18 VideoLAN is now publishing 3.0.12 release, which adds support for Apple Silicon, improves Bluray, DASH and RIST support. It fixes some audio issues on macOS, some crashes on Windows and fixes security issues. More details on the release page . libbluray 1.2.1 2020-10-23 A minor release of libbluray was pushed today, focused on fixing bugs and improving the support for UHD Blurays. More details on the libbluray page. VLC for Android 3.3 2020-09-23 VideoLAN is proud to release the new major version of VLC for Android. A complete design rework has been done. The navigation is now at the bottom for a better experience. The Video player has also been completely revamped for a more modern look. The video grouping has been improved and lets you create custom groups. You can also easily share your media with your friends. The settings have been simplified and a lot of bugs have been fixed. VLC 3.0.11.1 2020-07-29 Today, VideoLAN is publishing the VLC 3.0.11.1 release for macOS, which notably solves an audio rendering regression introduced in the last update specific to that platform. Additionally, it improves playback of HLS streams, WebVTT subtitles and UPnP discovery. VLC 3.0.11 2020-06-16 VideoLAN is now publishing the VLC 3.0.11 release, which improves HLS playback and seeking certain m4a files as well as AAC playback. Additionally, this solves an audio rendering regression on macOS when pausing playback and adds further bug fixes. Additionally, a security issue was resolved. More information available on the release page . VLC 3.0.10 2020-04-28 VideoLAN is now publishing the VLC 3.0.10 release, which improves DVD, macOS Catalina, adaptive streaming, SMB and AV1 support, and fixes some important security issues. More information available on the release page . We are also releasing new versions for iOS (3.2.8) and Android 3.2.11 for the same security issues. VLC for iOS and tvOS releases 2020-03-31 VideoLAN is publishing updates to VLC on iOS and tvOS, to fix numerous small issues, add passcode protection on the web sharing, and improve the quick actions and the stability of the application. VLC for iOS 3.2.5 release 2019-12-03 VideoLAN is publishing updates to VLC on iOS, to improve support for iOS9 compatibility and add new quick actions and improves the collection handling. libdvdread and libdvdnav releases 2019-10-13 We are publishing today libdvdnav and libdvdread minor releases to fix minor crashes and improving the support for difficult discs. See libdvread page for more information . VLC for iOS 3.2.0 release 2019-09-14 VideoLAN is finally publishing its new major version of iOS, numbered 3.2.0. This update starts the changes for the new interface that will drive the development for the next year. It should give the correct building blocks for the future of the iOS app. VLC 3.0.8 2019-08-19 VideoLAN is now publishing the VLC 3.0.8 release, which improves adaptive streaming support, audio output on macOS, VTT subtitles rendering, and also fixes a dozen of security issues. More information available on the release page . VLC 3.0.7 2019-06-07 After 100 millions downloads of 3.0.6, VideoLAN is releasing today the VLC 3.0.7 release, focusing on numerous security fixes, improving HDR support on Windows, and Blu-ray menu support. VideoLAN would like to thank the EU-FOSSA project from the European Commission, who funded this initiative. More information available on the release page . VLC for Android 3.1 2019-04-08 VideoLAN is happy to present the new major version of VLC for Android platforms. Featuring AV1 decoding with dav1d, Android Auto, Launcher Shortcuts, Oreo/Pie integration, Video Groups, SMBv2, and OTG drive support, but also improvements on Cast, Chromebooks and managing the audio/video libraries, this is a quite large update. libbluray 1.1.0 2019-02-12 VideoLAN is releasing a new major version of libbluray: 1.1.0. It adds support for UHD menus (experimental) , for more recents of Java, and improves vastly BD-J menus. This release fixes numerous small issues reported. libdvdread 6.0.1 2019-02-05 VideoLAN is releasing a new minor version of libdvdread, numbered 6.0.1, fixing minor DVD issues. See libdvdread page for more info. VLC reaches 3 billion downloads 2019-01-12 VideoLAN is very happy to announce that VLC crossed the 3 billion downloads on our website: VLC statistics . Please note that this number is under-estimating the number of downloads of VLC. VLC 3.0.6 2019-01-10 VideoLAN is now publishing the VLC 3.0.6 release, which fixes an important regression that appeared on 3.0.5 for DVD subtitles. It also adds support for HDR in AV1. VLC 3.0.5 2018-12-27 VideoLAN is now publishing the VLC 3.0.5 release, a new minor release of the 3.0 branch. This release notably improves the macOS mojave support, adds a new AV1 decoder and fixes numerous issues with hardware acceleration on Windows. More information available here . VLC 3.0.4 2018-08-31 VideoLAN is publishing the VLC 3.0.4 release, a new minor release of the 3.0 branch. This release notably improves the video outputs on most OSes, supports AV1 codec, and fixes numerous small issues on all OSes and Platforms. More information available here . Update for all Windows versions is strongly advised. VLC 3.0.13 for Android 2018-07-31 VideoLAN is publishing today, VLC 3.0.13 on Android and Android TV. This release fixes numerous issues from the 3.0.x branch and improves stability. VLC 3.1.0 for WinRT and iOS 2018-07-20 VideoLAN is publishing today, VLC 3.1.0 on iOS and on Windows App (WinRT) platforms. This release brings hardware encoding and ChromeCast on those 2 mobile platforms. It also updates the libvlc to 3.0.3 in those platforms. VLC 3.0.3 2018-05-29 VideoLAN is publishing the VLC 3.0.3 release, a new minor release of 3.0. This release is fixing numerous crashes and regressions from VLC 3.0.0, "Vetinari", and it fixes some security issues. More information available here . Update for everyone is advised for this release. VLC 3.0.2 2018-04-23 VideoLAN is publishing the VLC 3.0.2 release, for general availability. This release is fixing most of the important bugs and regressions from VLC 3.0.0, "Vetinari", and improves decoding speed on macOS. More than 150 bugs were fixed since the 3.0.0 release. More information available here . VLC 3.0.1 2018-02-28 VideoLAN and the VLC development team are releasing VLC 3.0.1, the first bugfix release of the "Vetinari" branch, for Linux, Windows and macOS. This version improves the chromecast support, hardware decoding, adaptive streaming, and fixes many bugs or crashes encountered in the 3.0.0 version. In total more than 30 issues have been fixed, on all platforms. More information available here . VLC 3.0.0 2018-02-09 VideoLAN and the VLC development team are releasing VLC 3.0.0 "Vetinari" for Linux, Windows, OS X, BSD, Android, iOS, UWP and Windows Phone today! This is the first major release in three years. It activates hardware decoding by default to get 4K and 8K playback, supports 10bits and HDR playback, 360° video and 3D audio, audio passthrough for HD audio codecs, streaming to Chromecast devices (even in formats not supported natively), playback of Blu-Ray Java menus and adds browsing of local network drives. More info on our release page . VLC 2.2.8 2017-12-05 VideoLAN and the VLC development team are happy to publish version 2.2.8 of VLC media player today. This release fixes a security issue in the AVI demuxer. Additionally, it includes the following fixes, which are part of 2.2.7: This release fixes compatibility with macOS High Sierra and fixes SSA subtitles rendering on macOS. This release also fixes a few security issues, in the flac and the libavcodec modules (heap write overflow), in the avi module and a few crashes. For macOS users, please note: A bug was fixed in VLC 2.2.7 concerning the update mechanism on macOS. In rare circumstances, an auto-update from older versions of VLC to VLC 2.2.8 might not be possible. Please download the update manually from our website in this case. VideoLAN joins the Alliance for Open Media 2017-05-16 The VideoLAN non-profit organization is joining the Alliance for Open Media , to help developing open and royalty-free codecs and other video technologies! More information in our press release: VideoLAN joins Alliance for Open Media . VLC 2.2.5.1 2017-05-12 VideoLAN and the VLC development team are happy to publish version 2.2.5.1 of VLC media player today This fifth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.4, notably video rendering issues on AMD graphics card as well as audio distortion on macOS and 64bit Windows for certain audio files. It also includes updated codecs libraries and improves overall security. Read more about it on our release page . Press release: Wikileaks revelations about VLC 2017-03-09 Following the recent revelations from Wikileaks about the use of VLC by the CIA, you can download the official statement from the VideoLAN organization here . VLC for Android 2.1 beta 2017-02-24 VideoLAN and the VLC development team are happy to publish beta version 2.1 of VLC for Android today It brings 360° video & faster audio codecs passthru support, performances improvements, Android auto integration and a refreshed UX. See all new features and get it VLC for Android 2.0.0 2016-06-21 VideoLAN and the VLC development team are happy to publish version 2.0 of VLC for Android today It supports network shares browsing and playback, video playlists, downloading subtitles, pop-up video view and multiwindows, the new releases of the Android operating system, and merged Android TV and Android packages. Get it now! and give us your feedback. VLC 2.2.4 2016-06-05 VideoLAN and the VLC development team are happy to publish version 2.2.4 of VLC media player today This fourth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.3 for Windows XP and certain audio files. It also includes updated codecs libraries and fixes a security issue when playing specifically crafted QuickTime files as well as a 3rd party security issue in libmad. Read more about it on our release page . VideoLAN servers under maintenance 2016-05-19 Due to unscheduled maintenance on one of our servers, some git repositories , the trac bug tracker and mailing-lists are currently not available. We are restoring the services, but we can't give detailed information when everything will be back online. Note that downloads from this website, git repositories on code.videolan.org , the wiki and the forum are not affected. Important: Any communication send to email addresses on the videolan.org domain (aka yourdude@videolan.org) won't reach the receiver. VLC 2.2.3 2016-05-03 VideoLAN and the VLC development team are happy to publish version 2.2.3 of VLC media player today This third stable release of the "WeatherWax" version of VLC fixes more than 30 important bugs reported on VLC 2.2.2. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Read more about it on our release page . VideoLAN Dev Days 2016 part of QtCon 2016-02-18 2016 is a special year for many FLOSS projects: VideoLAN as open-source project and Free Software Foundation Europe both have their 15th birthday while KDE has its 20th birthday. All these call for celebrations! This year VideoLAN has come together with Qt , FSFE , KDE and KDAB to bring you QtCon , where attendees can meet, collaborate and get the latest news of all these projects. VideoLAN Dev Days 2016 will be organised as part of QtCon in Berlin. The event will start on Friday the 2nd of September with 3 shared days of talks, workshops, meetups and coding sessions. The current plan is to have a Call for Papers in March with the Program announced in early June. VLC 2.2.2 2016-02-06 VideoLAN and the VLC development team are happy to publish version 2.2.2 of VLC media player today This second stable release of the "WeatherWax" version of VLC fixes more than 100 important bugs and security issues reported on VLC 2.2.1. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Finally, this update solves installation issues on Mac OS X 10.11 El Capitan. Read more about it on our release page . 15 years of GPL 2016-02-01 VideoLAN is happy to celebrate with you the 15th anniversary of the birth of VideoLAN and VLC as open source projects! Announcing VLC for Apple TV 2016-01-12 VideoLAN and the VLC team is excited to announce the first release of VLC for Apple TV. It allows you to get access to all your files and video streams in their native formats without conversions, directly on the new Apple device and your TV. You can find details in our press release . libdvdcss 1.4.0 2015-12-24 VideoLAN is proud to announce the release of version 1.4.0 of libdvdcss . This release adds support for network callbacks, to play ISOs over the network, Android support, and cleans the codebase. VLC for iOS 2.7.0 2015-12-22 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds full support for iOS 9 including split screen and iPad Pro, for Windows shares (SMB), watchOS 2, a new subtitles engine, right-to-left interfaces, system-wide search (spotlight), Touch ID protection, and more. It will be available on the App Store shortly. VLC for ChromeOS 2015-12-17 VideoLAN and the Android teams are happy to announce the port of VLC to the ChromeOS operating system. This is the port of the Android version to ChromeOS, using the Android Runtime on Chrome. You can download it now! . VLC for Android 1.7.0 2015-12-01 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.7.0. This release includes a large refactoring that gives a new playlist, new notifications, a new subtitles engine, and uses less permissions. Get it now! . VLC for Android 1.6.0 2015-10-09 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.6.0. Ported to Android 6.0, this release should provide an important performance boost for decoding and the interface. Get it now! . DVBlast 3.0, multicat 2.1, bitstream 1.1 2015-10-07 VideoLAN and the DVBlast teams are happy to present the simultaneous release of DVBlast 3.0, bitstream 1.1 and multicat 2.1! DVBlast and multicat are now ported to OSX and DVBlast 3.0 is a major rewrite with new features like PID/SID remapping and stream monitoring. DVBlast , bitstream and multicat . libbluray 0.9.0 2015-10-04 VideoLAN and the libbluray team are releasing today libbluray 0.9.0. Adding numerous features, notably to better support BD-J menus and embedded subtitles files, it also fixes a few important issues, like font-caching. See more on libbluray page VLC for iOS 2.6.0 2015-06-30 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds support for Apple Watch to remote control and browse the library on iPhone, a mini player and large number of improvements through-out the app. It will be available on the App Store shortly. libbluray 0.8.0, libaacs 0.8.1 released 2015-04-30 The 2 VideoLAN Blu-Ray libraries have been released: libbluray 0.8.0 , libaacs 0.8.1 . These releases add support for ISO files, BD-J JSM and virtual devices. VLC 2.2.1 2015-04-16 VideoLAN and the VLC development team are releasing today VLC 2.2.1, named "Terry Pratchett". This first stable release of the "WeatherWax" version of VLC fixes most of the important bugs reported of VLC 2.2.0. VLC 2.2.0, a major version of VLC, introduced accelerated auto-rotation of videos, 0-copy hardware acceleration, support for UHD codecs, playback resume, integrated extensions and more than 1000 bugs and improvements. 2.2.0 release was the first release to have versions for all operating systems, including mobiles (iOS, Android, WinRT). More info on our release page VLC for Android 1.2.1, for WinRT & Windows Phone 1.2.1 and for iOS 2.5.0 2015-03-27 VideoLAN and the VLC development team are happy to release updates for all three mobile platforms today. VLC for Android received support for audio playlists, improved audio quality, improvements to the material design interface, including the black theme and switch to audio mode. Further, it is a major update for Android TV adding support for media discovery via UPnP, with improvements for recommendations and gamepads. VLC for Windows Phone and WinRT received partial hardware accelerated decoding allowing playback of HD contents of certain formats as well as further iterations on the user interface. For VLC for iOS, we focused on improved cloud integration adding support for iCloud Drive, OneDrive and Box.com, a 10-band equalizer as well as sharing of the media library on the local network alongside an improved playback experience. All updates will be available on the respective stores later today. We hope that you like them as much as we do. VLC 2.2.0 2015-02-27 VideoLAN and the VLC development team are releasing VLC 2.2.0 for most OSes. We're releasing the desktop version for Linux, Windows, OS X, BSD, and at the same time, Android, iOS, Windows RT and Windows Phone versions. More info on our release page and press release . libbluray 0.7.0, libaacs 0.8.0 and libbdplus 0.1.2 released 2015-01-27 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.7.0 , libaacs 0.8.0 and libbdplus 0.1.2 library. Those releases notably improves BD-J support, fonts support and file-system access. VLC for Android 0.9.9 2014-09-05 VideoLAN and the VLC development team are happy to present a new release for Android. This focuses on fixing crashes, better decoding and update of translations. More info in the release notes and download page . VLC 2.1.5 2014-07-26 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. This fixes a few bugs and security issues in third-party libraries, like GnuTLS and libpng. More info on our release page libbluray, libaacs and libbdplus release 2014-07-13 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.6.0 , libaacs 0.7.1 and libbdplus 0.1.1 library. Those releases notably add correct support for BD-J , the Java interactivity layer of Blu-Ray Discs. VLC for Android 0.9.7 2014-07-06 VideoLAN and the VLC development team are happy to present a new release for Android today. It improves a lot DVD menus and navigation, adds compatibility with Android L, fixes a few UI crashes and updates the translations. More info in the release notes . VLC for Android 0.9.5 2014-06-13 VideoLAN and the VLC development team are happy to present a new release for Android today. It adds support for DVD menus, a new VLC icon, tutorials and numerous fixes for crashes. More info in the release notes . VLC for iOS 2.3.0 2014-04-18 VideoLAN and the VLC development team are happy to present a new release for iOS today. It adds support for folders to group media, more options to customize playback, improved network interaction in various regards, many small but noticeable improvements as well as 3 new translations. More info in the release notes . VideoLAN announces distributed codec and conecoins! 2014-04-01 VideoLAN and the VLC development team are happy to present their new distributed codec, named CloudCodet ! To help smartphones users, this codec allows powerful computers to decode for other devices and the CPU-sharers will mine some conecoin , a new cone-shaped crypto-currency, in reward. More info on our press page VLC 2.1.4 and 2.0.10 2014-02-21 VideoLAN and the VLC development team are happy to present two updates for Mac OS X today. Version 2.1.4 solves an important DVD playback regression, while 2.0.10 accumulates a number of small improvements and bugfixes for older Macs based on PowerPC or 32-bit Intel CPUs running OS X 10.5. VLC 2.1.3 2014-02-04 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. Fixing multiple bugs and regressions introduced in 2.1.0, 2.1.1 and 2.1.2, notably on audio and video outputs, decoders and demuxers More info on our release page libbluray, libaacs and libbdplus release 2013-12-24 Several Blu-Ray related libraries have been released: libbluray 0.5.0 , libaacs 0.7.0 and the new libbdplus library. VLC 2.1.2 2013-12-10 VideoLAN and the VLC development team are proud to present the second minor version of the VLC 2.1.x branch. Fixing many bugs and regressions introduced in 2.1.0, notably on audio device management and SPDIF/HDMI pass-thru. More info on our release page VLC 2.1.1 2013-11-14 VideoLAN and the VLC development team are proud to present the first minor version of the VLC 2.1.x branch. Fixing a numerous number of bugs and regressions introduced in 2.1.0, it also adds experimental HEVC and VP9 decoding and improves VLC installer on Windows. More info on our release page VLC 2.0.9 2013-11-05 VideoLAN and the VLC development team are glad to present a new minor version of the VLC 2.0.x branch. Mostly focused on fixing a few important bugs and security issues, this version is mostly needed for Mac OS X, notably for PowerPC and Intel32 platforms that cannot upgrade to 2.1.0. VLC 2.1.0 2013-09-26 VideoLAN and the VLC development team are glad to present the new major version of VLC, 2.1.0, named Rincewind With a new audio core, hardware decoding and encoding, port to mobile platforms, preparation for Ultra-HD video and a special care to support more formats, 2.1 is a major upgrade for VLC. Rincewind has a new rendering pipeline for audio, with better effiency, volume and device management, to improve VLC audio support. It supports many new devices inputs, formats, metadata and improves most of the current ones, preparing for the next-gen codecs. More info on our release page . VLC for iOS version 2.1 2013-09-06 VideoLAN and the VLC for iOS development team are happy to present version 2.1 of VLC for iOS, a first major update to this new port adding support for subtitles in non-western languages, basic UPNP discovery and streaming, FTP server discovery, streaming and downloading, playback of audio-only media, a newly implemented menu and application flow as well as various stability improvements, minor enhancements and additional translations. VLC 2.0.8 and 2.1.0-pre2 2013-07-29 VideoLAN and the VLC development team are happy to present VLC 2.0.8, a security update to the "Twoflower" family, and VLC 2.1.0-pre2, the second pre-version of VLC 2.1.0. You can find info about 2.0.8 in the release notes . VLC 2.1.0-pre2 is a test version of the next major version of VLC, named "Rincewind", intended for advanced users. If you're brave, you can try it now! NB: The first binaries of 2.0.8 for Win32 and Mac were broken. Please re-download them. VLC 2.0.7 2013-06-10 VideoLAN and the VLC development team are happy to present the eighth version of "Twoflower", a minor update that improves the overall stability. Notable changes include fixes for audio decoding, audio encoding, small security issues, regressions, fixes for PowerPC, Mac OS X and new translations. More info in the release notes . VLC 2.0.6 2013-04-11 VideoLAN and the VLC development team are happy to present the seventh version of "Twoflower", a minor update that improves the overall stability. Notable changes include support for Matroska v4, improved reliability for ASF, Ogg, ASF and srt support, fixed GPU decoding on Windows on Intel GPU, fixed ALAC and FLAC decoding, and a new compiler for Windows release. More info in the release notes . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VLC fundraiser for Windows 8, RT and Phone ended 2012-12-29 Today, the fundraising campaign for for Windows 8, RT and Phone run by some VideoLAN team members ended. Their goal was successfully reached and they announced to start working on the new ports right away. Find out more . VLC 2.0.5 2012-12-15 VideoLAN and the VLC development team are happy to present the sixth version of "Twoflower", a minor update that improves the overall stability. Notable changes include improved reliability for MKV file playback, fixed MPEG2 audio and video encoding, pulseaudio synchronization, Mac OS interface, and other fixes. It also resolves potential security issues in HTML subtitle parser, freetype renderer, AIFF demuxer and SWF demuxer. More info in the release notes . We would like to remind our users that some VideoLAN team members are trying to raise money for VLC for Windows Metro on Kickstarter . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VideoLAN Security Advisory 1203 2012-11-02 VLC media player versions 2.0.3 and older suffer from a critical buffer overflow vulnerability. Refer to our advisory for technical details. A fix for this issue is already available in VLC 2.0.4. We strongly recommend all users to update to this new version. VLC 2.0.4 2012-10-18 VideoLAN and the VLC development team present the fifth version of "Twoflower", a major update that fixes a lot of regressions, issues and security issues in this branch. It introduces Opus support, improves Youtube, Vimeo streams and Blu-Ray dics support. It also fixes many issues in playback, notably on Ogg and MKV playback and audio device selections and a hundred of other bugs. More info in the release notes . Updated 2.0.3 builds for Mac OS X 2012-08-01 A small number of users on specific setups experienced audio issues with the latest version of VLC media player for Mac OS X. If you are affected, please download VLC again and replace the existing installation. If you're not, there is nothing to do. VideoLAN at FISL 2012-07-19 Next week, we will give two talks about VideoLAN and VLC media player at the 13° Fórum Internacional Software Livre in Porto Alegre, Brazil. This is the first time VideoLAN members attend a conference in South America. We are looking forward to it and hope to see you around. VLC 2.0.3 2012-07-19 VideoLAN and the VLC development are proud to present a minor update adding support for OS X Mountain Lion as well as improving VLC's overall stability on OS X. Additionally, this version includes updates for 18 translations and adds support for Uzbek and Marathi. For MS Windows, you can update manually if you need the translation updates. VLC 2.0.2 2012-07-01 After more than 100 million downloads of VLC 2.0 versions, VideoLAN and the VLC development team present the third version of "Twoflower", a major update that fixes a lot of regressions in this branch. It introduces an important number of features for the Mac OS X platform, notably interface improvements to be on-par with the classic VLC interface, better performance and Retina Display support. VLC 2.0.2 fixes the video playback on older devices both on MS Windows and Mac OS X, includes overall performance improvements and fixes for a couple of hundreds of bugs. More info in the release notes . World IPv6 Launch 2012-06-04 The VideoLAN organization is taking part in the World IPv6 launch on June 6. All services including the website, the forums, the bugtracker and the git server are now accessible via IPv6. VideoLAN at LinuxTag 2012-05-21 We will presenting VLC and other VideoLAN projects at LinuxTag in Berlin this week (booth #167, hall 7.2a). Come around and have a look at our latest developments! Of course, we will also be present during LinuxNacht, in case that you prefer to share a beer with us. 1 billion thank you! 2012-05-09 VideoLAN would like to thank VLC users 1 billion times, since VLC has now been downloaded more than 1 billion times from our servers, since 2005! Get the numbers ! VLC 2.0.1 2012-03-19 After 15 million downloads of VLC 2.0.0 versions, VideoLAN and the VLC development team present the second version of "Twoflower", a bugfix release. Support for MxPEG files, new features in the Mac OS X interface are part of this release, in addition to faster decoding and fixes for hundred of bugs and regression, notably for HLS, MKV, RAR, Ogg, Bluray discs and many other things. This is also a security update . More info on the release notes . VLC 2.0.0 2012-02-18 After 485 million downloads of VLC 1.1.x versions, VideoLAN and the VLC development team present VLC 2.0.0 "Twoflower", a major new release. With faster decoding on multi-core, GPU, and mobile hardware and the ability to open more formats, notably professional, HD and 10bits codecs, 2.0 is a major upgrade for VLC. Twoflower has a new rendering pipeline for video, with higher quality subtitles, and new video filters to enhance your videos. It supports many new devices and BluRay Discs (experimental). It features a completely reworked Mac and Web interfaces and improvements in the other interfaces make VLC easier than ever to use. Twoflower fixes several hundreds of bugs, in more than 7000 commits from 160 volunteers. More info on the release notes . VideoLAN at SCALE 10x 2012-01-15 VideoLAN will have a booth (#74) at the Southern California Linux Expo at the Hilton Los Angeles Airport Hotel next week-end. The event will take place from Friday throughout Sunday. We will happily show you the latest developments and our forthcoming major VLC update. multicat 2.0 2012-01-04 VideoLAN is happy to announce the second major release of multicat . It brings numerous new features, such as recording chunks of a stream in a directory, and supporting TCP socket and IPv6, as well as bug fixes. Also aggregaRTP was extended to support retransmission of lost packets. DVBlast 2.1 2012-01-04 VideoLAN is happy to announce version 2.1 of DVBlast . It is a bugfix release, fixing in particular a problem with MMI menus present in 2.0. VLC engine relicensed to LGPL 2011-12-21 As previously stated , VideoLAN worked on the relicensing of libVLC and libVLCcore: the VLC engine. We are glad to announce that this process is now complete for VLC 1.2. Thanks a lot for the support. VLC 1.1.13 2011-12-20 VideoLAN and the VLC development team present VLC 1.1.13, a bug and security fix release. This release was necessary due to a security issue in the TiVo demuxer . Source code is available. DVBlast 2.0 and biTStream 1.0 2011-12-15 VideoLAN is happy to announce DVBlast 2.0, the fourth major release of DVBlast . It fixes a number of issues, such as packet bursts and CAM communication problems, adds more configuration options, and improves dvblastctl with stream information. It also gets rid of the runtime dependency on libdvbpsi thanks to biTStream. VideoLAN is also happy to introduce the first public release of biTStream , a set of C headers allowing a simpler access (read and write) to binary structures such as specified by MPEG, DVB, IETF, etc... It is released under the MIT license to avoid readability concerns being shadowed by license issues. It already has a pretty decent support of MPEG systems packet structures, MPEG PSI, DVB SI, DVB simulcast and IETF RTP. libaacs 0.3.0 2011-12-02 The doom9 researchers and the libaacs developers would like to present the first official release of their library of the implementation of the libaacs standard. libaacs 0.3.0 source code can be downloaded on the VideoLAN download service . Nota Bene: This library is of no use without AACS keys. libbluray 0.2.1 2011-11-30 VideoLAN and the libbluray developers would like to present the first official release of their library to help playback of Blu-Ray for open source systems. libbluray 0.2.1 source code can be downloaded on the VideoLAN ftp . VLC 1.1.12 2011-10-06 VideoLAN and the VLC development team present VLC 1.1.12, a bug and security fix release with improvements for audio output on Mac OS X and with PulseAudio. This release was necessary due to a security issue in the HTTP and RTSP server components, though this does not affect standard usage of the player. Binaries for Mac OS X and sources are available. Changing the VLC engine license to LGPL 2011-09-07 During the third VideoLAN Dev Days , last weekend in Paris, numerous developers approved the process of changing the license of the VLC engine to LGPL 2.1 (or later). This is the beginning of the process and will require the authorization from all the past contributors. See our press release on this process. libdvbpsi 0.2.1 2011-09-01 The libdvbpsi development team release version 0.2.1 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.1 is a bugfix release which corrects minor issues in libdvbpsi. For more information on features visit libdvbpsi main page . Invitation to VDD11 2011-08-15 VideoLAN would like to invite you to join us at the VideoLAN Dev Days 2011. This technical conference about open source multimedia, will see developers from VLC, libav, FFmpeg, x264, Phonon, DVBlast, PulseAudio, KDE, Gnome and other projects gather to discuss about open source development for multimedia projects. It will be held in Paris, France, on September 3rd and 4th , 2011. See more info, on the dedicated page. VLC 1.1.11 2011-07-15 VideoLAN and the VLC development team present VLC 1.1.11, a security release with some other improvements. This release was necessary due to two security issues in the real and avi demuxers. It also contains improvements in the fullscreen mode of the Win32 mozilla plugin, the MacOSX Media Key handling and Auhal audio output as well as bug fixes in GUI, decoders and demuxers.. Source and binaries builds for Windows and Mac are available. VLC 1.1.10.1 2011-06-16 Shortly after VLC 1.1.10, VideoLAN and the VLC development team present version 1.1.10.1, which includes small fixes for the Mac OS X port such as disappearing repeat buttons and restored Freebox TV access. Additionally, the installation size was reduced by up to 30 MB. See the release notes for more information on the additional improvements included from VLC 1.1.10. VLC 1.1.10 2011-06-06 VideoLAN and the VLC development team present VLC 1.1.10, a minor release of the 1.1 branch. This release, 2 months after 1.1.9, was necessary because some security issues were found (see SA 1104 ), and the VLC development team cares about security. This release brings a rewritten pulseaudio output, an important number of small Mac OS X fixes, the removal of the font-cache building for the freetype module on Windows and updates of codecs. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.10. libdvbpsi 0.2.0 2011-05-05 The libdvbpsi development team release version 0.2.0 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.0 marks a license change from GPLv2 to LGPLv2.1 . For more information on features visit libdvbpsi main page . Phonon VLC 0.4.0 2011-04-27 VideoLAN would like to point out that the Phonon team has released Phonon VLC 0.4.0 . The new version of the best backend for the Qt multimedia library features much improved stability, more video features and control as well as completely redone streaming input capabilities. You can read more on Phonon VLC 0.4.0 in the release announcement ! VLC 1.1.9 2011-04-12 VideoLAN and the VLC development team present VLC 1.1.9, a minor release of the 1.1 branch. This release, not long after 1.1.8, was necessary because some security issues were found, and the VLC development team cares about security. This release also brings updated translations and a lot of small Mac OS X fixes. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.9. libdvbcsa 1.1.0 is now out! 2011-04-03 libdvbcsa's new versions brings major speed improvements and optimizations of key schedules. It also fixes minor issues. You can get it now on our FTP or on the main libdvbcsa page! A new year of Google Summer of Code 2011-03-28 Instead of having a lousy student summer internship, why not working for VideoLAN and have an impact on millions of people world-wide? The Google Summer of Code program is starting soon and you should send your applications before April 8th 2011, 19:00 UTC, on the webapplication . You shouldn't wait for the last minute and we would like to remember that application can be modified afterwards and that you can submit multiple applications. Join the team now! VLC 1.1.8 and anti-virus software 2011-03-25 Yet again, broken anti-virus software flag the latest version of VLC on Windows as a malware. This is, once again, a false positive . As some of the anti-virus makers plainly refuse to fix their code, we recommend to our users to stop using Kaspersky , AVL , TheHacker or AVG . Users are advised to use the free Antivir or the new Microsoft Security Essential . Moreover , we advise users to download VLC only from videolan.org , as very numerous scam websites have appeared lately. VLC 1.1.8 2011-03-23 VideoLAN and the VLC development team present VLC 1.1.8, a minor release of the 1.1 branch. Small new features, many bugfixes, updated translations and security issues are making this release too. Notable improvements include updated look on Mac, new Dirac encoder, new VP8/Webm encoder, and numerous fixes in codecs, demuxers, interface, subtitles auto-detection, protocols and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.8. CeBit and 10 years of open source... 2011-02-28 The VideoLAN project and organization would like to thank everyone for the support during this month for our 10 years We'd like to invite you to meet us at the CeBIT , starting from tomorrow, in the open source lounge, Hall 2, Stand F44 . 10 years of open source for VideoLAN: end of 10 days... 2011-02-12 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 6 showed a selection of extensions ; Day 7 detailed a few secret features ; Day 8 showed a few nice cones ; Day 9 detailed our committers and download numbers ; Day 10 showed of a showed a promotionnal video . Please join the celebration! 10 years of open source for VideoLAN: continued... 2011-02-07 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 1 spoke about the early history of the project ; Day 2 spoke about the website design ; Day 3 showed a cool video ; Day 4 listed our preferred skins ; Day 5 showed of a photo of the team at the FOSDEM ; Day 6 (one day late) showed a selection of extensions . Please join the celebration! New website design 2011-02-02 As you might have seen, we've change the design of the main website . The website design was done by Argon and this project was sponsored by netzwelt.de . VLC 1.1.7 2011-02-01 VideoLAN and the VLC development team present VLC 1.1.7, a small security update on 1.1.6. Small new features, many bugfixes, updated translations and security issues were making the 1.1.6 release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.6. Source was available yesterday; binaries for Windows and Mac OS X are now available. 10 years of open source for VideoLAN 2011-02-01 The VideoLAN project and organization are proud to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software, that happened exactly 10 years ago. To celebrate, small infos, stories and goodies will be posted in the next ten days on this site . Day 1 speaks about the early history of the project Please join the celebration! VLC 1.1.6 2011-01-23 VideoLAN and the VLC development team are proud to present VLC 1.1.6, the sixth bugfix release of the VLC 1.1.x branch. Small new features, many bugfixes, updated translations and security issues are making this release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information. NB: The first versions for Intel-based Macs (64bit and Universal Binary) included a rtsp streaming bug, which also hindered access to the Freebox. Please re-download. End of support for VLC 1.0 series 2011-01-22 The VideoLAN team ceases all form of support for VLC media player versions 1.0.x. Focusing maintenance efforts on the current VLC 1.1 versions, and further development on the upcoming VLC 1.2 series, the VideoLAN team will not deliver any further update for VLC versions 1.0.x (last release was 1.0.6), and VLC 0.9.x (last release was 0.9.10). VLC 1.1.6 will be released shortly. This release will introdu
2026-01-13T09:30:37
https://www.hcaptcha.com/contact-us.html
Contact Us Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In DE - ES  - FR  - PT - PT (BR) hCaptcha.com Bot detection and anti-abuse services. Used by millions of websites and apps. ‍ Learn more. ‍ How to Contact Us ‍ Support What is hCaptcha? If you are visiting hCaptcha for the first time, it is important to understand what our service does. ‍ We provide anti-bot and anti-fraud security services that run on many other websites and apps. This means you might see our logo on those sites or apps when you sign up, login, or make a purchase. This logo lets you know that the site is protected by hCaptcha. You should contact the website or app operator directly for questions about their services or purchases you make with them. We cannot provide support on these topics. ‍ When to contact hCaptcha support If you have a question about the hCaptcha service itself, e.g. how to integrate it into your website, or you are having an issue with our challenge interface when interacting with it on another site, then you may contact support via email . If you would like to report a bug or other technical issue, please see our instructions here to collect debugging info. ‍ ‍ How to Contact Sales What is hCaptcha? If you are visiting hCaptcha for the first time, it is important to understand what our service does. ‍ We provide anti-bot and anti-fraud security services that run on many other websites and apps. This means you might see our logo on those sites or apps when you sign up, login, or make a purchase. This logo lets you know that the site is protected by hCaptcha. You should contact the website or app operator directly for questions about their services or purchases you make with them. We cannot provide support on these topics. ‍ Sales Integrating hCaptcha into your own website or app If your goal is to stop bot attacks and other automated or human abuse, we have tools that are right for you. ‍ Enterprise hCaptcha Enterprise is a complete security platform used by many of the world's largest online services. It provides sophisticated threat detection and response at scale, fully passive No-CAPTCHA options, SOC support, and more. If you are interested in the Enterprise service, you can get a demo or start a no-obligation pilot today via this form . Alternately, you may contact us via email to discuss your needs. ‍ Pro hCaptcha Pro is a simple-to-use security service with low user friction that you can enable in minutes. You can sign up for a free trial of hCaptcha Pro , or purchase it via the dashboard if you already have a free account. Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://aws.amazon.com/pt/textract/
Extração de texto e dados de forma inteligente com o OCR | Amazon Textract | Amazon Web Services Pular para o conteúdo principal Filter: Todos English Entre em contato conosco AWS Marketplace Suporte Minha conta Pesquisar Filter: Todos Faça login no console Criar conta Amazon Textract Visão geral Recursos Preços Recursos Perguntas frequentes Mais Produtos › Machine Learning › Amazon Textract O processamento inteligente de documentos da Amazon oferece 73% de ROI. Preencha um pequeno formulário para fazer o download do relatório. Amazon Textract Extraia automaticamente texto impresso, manuscrito, elementos de layout e dados de qualquer documento Comece a usar o Amazon Textract Fale com a equipe de vendas Por que usar o Amazon Textract? O Amazon Textract é um serviço de machine learning (ML) que extrai automaticamente textos impressos ou manuscritos, elementos de layout e dados de documentos digitalizados. Esse recurso faz mais do que o simples reconhecimento óptico de caracteres (OCR): ele identifica, entende e extrai dados específicos de documentos. Hoje, muitas empresas extraem dados de documentos digitalizados (como PDFs, imagens, tabelas e formulários) manualmente ou por meio de softwares básicos de OCR que requerem configuração manual e atualizações frequentes para acompanhar as mudanças nos formulários. Para transpor esses processos manuais e caros, o Amazon Textract usa ML para ler e processar qualquer tipo de documento, extraindo com precisão textos impressos ou manuscritos, tabelas e outros dados sem qualquer esforço manual. Você pode usar um de nossos recursos pré-treinados ou personalizados para automatizar rapidamente o processamento de documentos, seja automatizando o processamento de empréstimos, seja extraindo informações de faturas e recibos. O Amazon Textract oferece a capacidade de personalizar nossos recursos pré-treinados para atender às necessidades de processamento de documentos específicas da sua empresa. O Amazon Textract pode extrair os dados em minutos em vez de em horas ou dias. Reproduzir Benefícios do Amazon Textract Promova a eficiência e a tomada de decisões Promova maior eficiência nos negócios e agilize a tomada de decisões, reduzindo os custos. Principais insights Extraia informações importantes com alta precisão de praticamente qualquer documento. Aumente ou diminua a escala facilmente Aumente ou reduza a escala verticalmente do pipeline de processamento de documentos para se adaptar rapidamente às demandas do mercado. Automatize o processamento de dados Automatize o processamento de dados com segurança com padrões de privacidade, criptografia e conformidade de dados. Casos de uso Serviços financeiros Extraia com precisão dados críticos de negócios, como taxas de hipoteca, nomes de candidatos e totais de faturas em uma variedade de formulários financeiros para processar solicitações de empréstimos e hipotecas em minutos. Saúde e ciências biológicas Atenda melhor seus pacientes e seguradoras, extraindo dados importantes do paciente de formulários de admissão de pacientes, reivindicações de seguro e formulários de pré-autorização. Mantenha os dados organizados e em seu contexto original e elimine a revisão manual do conteúdo gerado. Setor público Extraia facilmente dados relevantes de formulários relacionados ao governo, como empréstimos para pequenas empresas, declarações de impostos federais ou aplicações comerciais com alto grau de precisão. Próximas etapas Nível gratuito Experimente o nível gratuito da AWS Cadastre-se para obter uma conta gratuita Console Conheça o Amazon Textract Comece a desenvolver Crie uma conta da AWS Aprenda O que é a AWS? O que é a computação em nuvem? O que é a IA agêntica? Hub de conceitos de computação em nuvem Segurança na Nuvem AWS Novidades Blogs Comunicados à imprensa Recursos Conceitos básicos Treinamento Centro de Confiança da AWS Biblioteca de Soluções da AWS Centro de arquitetura Perguntas frequentes sobre produtos e tópicos técnicos Relatórios de analistas Parceiros da AWS Desenvolvedores Builder Center SDKs e ferramentas .NET na AWS Python na AWS Java na AWS PHP na AWS JavaScript na AWS Ajuda Entre em contato conosco Crie um tíquete de suporte AWS re:Post Centro de Conhecimento Visão geral do AWS Support Obtenha ajuda especializada Acessibilidade da AWS Jurídico English Voltar ao início A Amazon é uma empresa empregadora orientada pelos fundamentos de igualdade de oportunidades e ações afirmativas, que não faz distinção entre minorias, mulheres, portadores de deficiência, veteranos, identidade de gênero, orientação sexual nem idade. x facebook linkedin instagram twitch youtube podcasts email Privacidade Termos do site Preferências de cookies © 2026, Amazon Web Services, Inc. ou suas afiliadas. Todos os direitos reservados.
2026-01-13T09:30:37
http://www.videolan.org/news.html#news-2021-05-11
News - VideoLAN * { behavior: url("/style/box-sizing.htc"); } Toggle navigation VideoLAN Team & Organization Consulting Services & Partners Events Legal Press center Contact us VLC Download Features Customize Get Goodies Projects DVBlast x264 x262 x265 multicat dav1d VLC Skin Editor VLC media player libVLC libdvdcss libdvdnav libdvdread libbluray libdvbpsi libaacs libdvbcsa biTStream vlc-unity All Projects Contribute Getting started Donate Report a bug Support donate donate Donate donate donate VideoLAN, a project and a non-profit organization. News archive VLC 3.0.23 2026-01-08 VideoLAN and the VLC team are publishing the 3.0.23 release of VLC today, which is the 24th update to VLC's 3.0 branch: it updates codecs, adds a dark mode option on Windows and Linux, support for Windows ARM64 and improves support for Windows XP SP3. This is the largest bug fix release ever with a large number of stability and security improvements to demuxers (reported by rub.de, oss-fuzz and others) and updates to most third party libraries. Additional details on the release page . The security impact of this release is detailed here . The major maintenance effort of this release to strengthen VLC's overall stability as well as the compatibility with old releases of Windows and macOS was made possible by a generous sponsorship of the Sovereign Tech Fund by Germany's Federal Ministry for Digital Transformation and Government Modernisation. VLC for iOS, iPadOS and tvOS 3.7.0 2026-01-08 Alongside the 3.0.23 release for desktop, VideoLAN and the VLC team are publishing a larger update for Apple's mobile platforms to include the latest improvements of VLC's 3.0 branch plus important bug fixes and amendments for the 26 versions of the OS. Previously, we added pCloud as a European choice for cloud storage allowing direct streaming and downloads within the app. New releases for biTStream, DVBlast and multicat 2025-12-01 We are pleased to release versions 1.6 of biTStream , 3.5 of DVBlast and 2.4 of multicat . DVBlast and multicat had major improvements and new features. New releases for libdvdcss, libdvdread and libdvdnav 2025-11-09 New releases of libdvdread , libdvdnav and libdvdcss have been published today. The biggest features of those releases (libdvdread/nav 7 and libdvdcss 1.5) are related to DVD-Audio support, including DRM decryption. VLC for Android 3.6.0 2025-01-13 We are pleased to release version 3.6.0 of the VLC version for the Android platform. It comes with the new Remote Access feature, a parental control and a lot of fixes. See our Android page . VLC 3.0.21 2024-06-10 VideoLAN and the VLC team are publishing the 3.0.21 release of VLC today, which is the 22nd update to VLC's 3.0 branch: it updates codecs, adds Super Resolution and VQ Enhancement filtering with AMD GPUs, NVIDIA TrueHDR to generate a HDR representation from SDR sources with NVIDIA GPUs and improves playback of numerous formats including improved subtitles rendering notably on macOS with Asian languages. Additional details on the release page . This release also fixes a security issue, which is detailed here . VLC for iOS, iPadOS and Apple TV 3.5.0 2024-02-16 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding playback history, A to B playback, Siri integration, support for external subtitles and audio tracks, a way to favorite folders on local network servers, improved CarPlay integration and many small improvements. VLC 3.0.20 2023-11-02 Today, VideoLAN is publishing the 3.0.20 release of VLC, which is a medium update to VLC's 3.0 branch: it updates codecs, fixes a FLAC quality issue and improves playback of numerous formats including improved subtitles rendering. It also fixes a freeze when using frame-by-frame actions. On macOS, audio layout problems are resolved. Finally, we update the user interface translations and add support for more. Additional details on the release page . This release also fixes two security issues, which are detailed here and there . VLC for iOS, iPadOS and Apple TV 3.4.0 2023-05-03 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new audio playback interface, CarPlay integration, various improvements to the local media library and iterations to existing features such as WiFi Sharing. Notably, we also added maintenance improvements to the port to tvOS including support for the Apple Remote's single click mode. See the press release for details. VLC 3.0.18 2022-11-29 Today, VideoLAN is publishing the 3.0.18 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . This release also fixes multiple security issues, which are detailed here . VideoLAN supports the UNHCR 2022-10-24 VideoLAN is a de-facto pacifist organization and cares about cross-countries cooperations, and believes in the power of knowledge and sharing. War goes against those ideals. As a response Russia's invasion of Ukraine, we decided to financially support the United Nations High Commissioner for Refugees and their work on aiding and protecting forcibly displaced people and communities, in the places where they are necessary. See our press statement . VLC for Android 3.5.0 2022-07-20 VideoLAN is proud to release the new major version of VLC for Android. It comes with new widgets, network media indexation, a better tablet and foldable support, design improvements in the audio screen, improved accessibility and performance improvements. VLC 3.0.17 2022-04-19 Today, VideoLAN is publishing the 3.0.17 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . VLC for iOS, iPadOS and tvOS 3.3.0 2022-03-21 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new video playback interface, support for NFS and SFTP network shares and major improvements to the media handling especially for audio. See the press release . libbluray releases 2022-03-06 libbluray and related libraries, libaacs and libbdplus, have new releases, focused on maintenance, minor improvements, and notably new OSes and new java versions compatibility. See libbluray , libaacs and libbdplus pages. VLC and log4j 2021-12-15 Since its very early days in 1996, VideoLAN software is written in programming languages of the C family (mostly plain C with additions in C++ and Objective-C) with the notable exception of its port to Android, which was started in Java and recently transitioned to Kotlin. VLC does not use the log4j library on any platform and is therefore unaffected by any related security implications. VLC for Android 3.4.0 2021-09-20 We are pleased to release version 3.4.0 of the VLC version for the Android platforms. Still based on libVLC 3, it revamps the Audio Player and the Auto support, it adds bookmarks in each media, simplifies the permissions and improves video grouping. See our Android page . VLC 3.0.16 2021-06-21 Today, VideoLAN is publishing the 3.0.16 release of VLC, which fixes delays when seeking on Windows, opening DVD folders with non-ASCII character names, fixes HTTPS support on Windows XP, addresses audio drop-outs on seek with specific MP4 content and improves subtitles renderering. It also adds support for the TouchBar on macOS. More details on the release page . VLC 3.0.14, auto update issues and explanations 2021-05-11 VLC users on Windows might encounter issues when trying to auto update VLC from version 3.0.12 and 3.0.13. Find more details here . We are publishing version 3.0.14 to address this problem for future updates. VLC 3.0.13 2021-05-10 VideoLAN is now publishing 3.0.13 release, which improves the network shares and adaptive streaming support, fixes some MP4 audio regressions, fixes some crashes on Windows and macOS and fixes security issues. More details on the release page . libbluray 1.3.0 2021-04-05 A new release of libbluray was pushed today, adding new APIs, to improve the control of the library, improve platforms support, and fix some bugs. See our libbluray page. VideoLAN is 20 years old today! 2021-02-01 20 years ago today, VideoLAN moved from a closed-source student project to the GNU GPL, thanks to the authorization of the École Centrale Paris director at that time. VLC has grown a lot since, thanks to 1000 volunteers! Read our press release! . VLC for Android 3.3.4 2021-01-21 VideoLAN is now publishing the VLC for Android 3.3.4 release which focuses on improving the Chromecast support. Since the 3.3.0 release, a lot of improvements have been made for Android TV, SMB support, RTL support, subtitles picking and stability. . VLC 3.0.12 2021-01-18 VideoLAN is now publishing 3.0.12 release, which adds support for Apple Silicon, improves Bluray, DASH and RIST support. It fixes some audio issues on macOS, some crashes on Windows and fixes security issues. More details on the release page . libbluray 1.2.1 2020-10-23 A minor release of libbluray was pushed today, focused on fixing bugs and improving the support for UHD Blurays. More details on the libbluray page. VLC for Android 3.3 2020-09-23 VideoLAN is proud to release the new major version of VLC for Android. A complete design rework has been done. The navigation is now at the bottom for a better experience. The Video player has also been completely revamped for a more modern look. The video grouping has been improved and lets you create custom groups. You can also easily share your media with your friends. The settings have been simplified and a lot of bugs have been fixed. VLC 3.0.11.1 2020-07-29 Today, VideoLAN is publishing the VLC 3.0.11.1 release for macOS, which notably solves an audio rendering regression introduced in the last update specific to that platform. Additionally, it improves playback of HLS streams, WebVTT subtitles and UPnP discovery. VLC 3.0.11 2020-06-16 VideoLAN is now publishing the VLC 3.0.11 release, which improves HLS playback and seeking certain m4a files as well as AAC playback. Additionally, this solves an audio rendering regression on macOS when pausing playback and adds further bug fixes. Additionally, a security issue was resolved. More information available on the release page . VLC 3.0.10 2020-04-28 VideoLAN is now publishing the VLC 3.0.10 release, which improves DVD, macOS Catalina, adaptive streaming, SMB and AV1 support, and fixes some important security issues. More information available on the release page . We are also releasing new versions for iOS (3.2.8) and Android 3.2.11 for the same security issues. VLC for iOS and tvOS releases 2020-03-31 VideoLAN is publishing updates to VLC on iOS and tvOS, to fix numerous small issues, add passcode protection on the web sharing, and improve the quick actions and the stability of the application. VLC for iOS 3.2.5 release 2019-12-03 VideoLAN is publishing updates to VLC on iOS, to improve support for iOS9 compatibility and add new quick actions and improves the collection handling. libdvdread and libdvdnav releases 2019-10-13 We are publishing today libdvdnav and libdvdread minor releases to fix minor crashes and improving the support for difficult discs. See libdvread page for more information . VLC for iOS 3.2.0 release 2019-09-14 VideoLAN is finally publishing its new major version of iOS, numbered 3.2.0. This update starts the changes for the new interface that will drive the development for the next year. It should give the correct building blocks for the future of the iOS app. VLC 3.0.8 2019-08-19 VideoLAN is now publishing the VLC 3.0.8 release, which improves adaptive streaming support, audio output on macOS, VTT subtitles rendering, and also fixes a dozen of security issues. More information available on the release page . VLC 3.0.7 2019-06-07 After 100 millions downloads of 3.0.6, VideoLAN is releasing today the VLC 3.0.7 release, focusing on numerous security fixes, improving HDR support on Windows, and Blu-ray menu support. VideoLAN would like to thank the EU-FOSSA project from the European Commission, who funded this initiative. More information available on the release page . VLC for Android 3.1 2019-04-08 VideoLAN is happy to present the new major version of VLC for Android platforms. Featuring AV1 decoding with dav1d, Android Auto, Launcher Shortcuts, Oreo/Pie integration, Video Groups, SMBv2, and OTG drive support, but also improvements on Cast, Chromebooks and managing the audio/video libraries, this is a quite large update. libbluray 1.1.0 2019-02-12 VideoLAN is releasing a new major version of libbluray: 1.1.0. It adds support for UHD menus (experimental) , for more recents of Java, and improves vastly BD-J menus. This release fixes numerous small issues reported. libdvdread 6.0.1 2019-02-05 VideoLAN is releasing a new minor version of libdvdread, numbered 6.0.1, fixing minor DVD issues. See libdvdread page for more info. VLC reaches 3 billion downloads 2019-01-12 VideoLAN is very happy to announce that VLC crossed the 3 billion downloads on our website: VLC statistics . Please note that this number is under-estimating the number of downloads of VLC. VLC 3.0.6 2019-01-10 VideoLAN is now publishing the VLC 3.0.6 release, which fixes an important regression that appeared on 3.0.5 for DVD subtitles. It also adds support for HDR in AV1. VLC 3.0.5 2018-12-27 VideoLAN is now publishing the VLC 3.0.5 release, a new minor release of the 3.0 branch. This release notably improves the macOS mojave support, adds a new AV1 decoder and fixes numerous issues with hardware acceleration on Windows. More information available here . VLC 3.0.4 2018-08-31 VideoLAN is publishing the VLC 3.0.4 release, a new minor release of the 3.0 branch. This release notably improves the video outputs on most OSes, supports AV1 codec, and fixes numerous small issues on all OSes and Platforms. More information available here . Update for all Windows versions is strongly advised. VLC 3.0.13 for Android 2018-07-31 VideoLAN is publishing today, VLC 3.0.13 on Android and Android TV. This release fixes numerous issues from the 3.0.x branch and improves stability. VLC 3.1.0 for WinRT and iOS 2018-07-20 VideoLAN is publishing today, VLC 3.1.0 on iOS and on Windows App (WinRT) platforms. This release brings hardware encoding and ChromeCast on those 2 mobile platforms. It also updates the libvlc to 3.0.3 in those platforms. VLC 3.0.3 2018-05-29 VideoLAN is publishing the VLC 3.0.3 release, a new minor release of 3.0. This release is fixing numerous crashes and regressions from VLC 3.0.0, "Vetinari", and it fixes some security issues. More information available here . Update for everyone is advised for this release. VLC 3.0.2 2018-04-23 VideoLAN is publishing the VLC 3.0.2 release, for general availability. This release is fixing most of the important bugs and regressions from VLC 3.0.0, "Vetinari", and improves decoding speed on macOS. More than 150 bugs were fixed since the 3.0.0 release. More information available here . VLC 3.0.1 2018-02-28 VideoLAN and the VLC development team are releasing VLC 3.0.1, the first bugfix release of the "Vetinari" branch, for Linux, Windows and macOS. This version improves the chromecast support, hardware decoding, adaptive streaming, and fixes many bugs or crashes encountered in the 3.0.0 version. In total more than 30 issues have been fixed, on all platforms. More information available here . VLC 3.0.0 2018-02-09 VideoLAN and the VLC development team are releasing VLC 3.0.0 "Vetinari" for Linux, Windows, OS X, BSD, Android, iOS, UWP and Windows Phone today! This is the first major release in three years. It activates hardware decoding by default to get 4K and 8K playback, supports 10bits and HDR playback, 360° video and 3D audio, audio passthrough for HD audio codecs, streaming to Chromecast devices (even in formats not supported natively), playback of Blu-Ray Java menus and adds browsing of local network drives. More info on our release page . VLC 2.2.8 2017-12-05 VideoLAN and the VLC development team are happy to publish version 2.2.8 of VLC media player today. This release fixes a security issue in the AVI demuxer. Additionally, it includes the following fixes, which are part of 2.2.7: This release fixes compatibility with macOS High Sierra and fixes SSA subtitles rendering on macOS. This release also fixes a few security issues, in the flac and the libavcodec modules (heap write overflow), in the avi module and a few crashes. For macOS users, please note: A bug was fixed in VLC 2.2.7 concerning the update mechanism on macOS. In rare circumstances, an auto-update from older versions of VLC to VLC 2.2.8 might not be possible. Please download the update manually from our website in this case. VideoLAN joins the Alliance for Open Media 2017-05-16 The VideoLAN non-profit organization is joining the Alliance for Open Media , to help developing open and royalty-free codecs and other video technologies! More information in our press release: VideoLAN joins Alliance for Open Media . VLC 2.2.5.1 2017-05-12 VideoLAN and the VLC development team are happy to publish version 2.2.5.1 of VLC media player today This fifth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.4, notably video rendering issues on AMD graphics card as well as audio distortion on macOS and 64bit Windows for certain audio files. It also includes updated codecs libraries and improves overall security. Read more about it on our release page . Press release: Wikileaks revelations about VLC 2017-03-09 Following the recent revelations from Wikileaks about the use of VLC by the CIA, you can download the official statement from the VideoLAN organization here . VLC for Android 2.1 beta 2017-02-24 VideoLAN and the VLC development team are happy to publish beta version 2.1 of VLC for Android today It brings 360° video & faster audio codecs passthru support, performances improvements, Android auto integration and a refreshed UX. See all new features and get it VLC for Android 2.0.0 2016-06-21 VideoLAN and the VLC development team are happy to publish version 2.0 of VLC for Android today It supports network shares browsing and playback, video playlists, downloading subtitles, pop-up video view and multiwindows, the new releases of the Android operating system, and merged Android TV and Android packages. Get it now! and give us your feedback. VLC 2.2.4 2016-06-05 VideoLAN and the VLC development team are happy to publish version 2.2.4 of VLC media player today This fourth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.3 for Windows XP and certain audio files. It also includes updated codecs libraries and fixes a security issue when playing specifically crafted QuickTime files as well as a 3rd party security issue in libmad. Read more about it on our release page . VideoLAN servers under maintenance 2016-05-19 Due to unscheduled maintenance on one of our servers, some git repositories , the trac bug tracker and mailing-lists are currently not available. We are restoring the services, but we can't give detailed information when everything will be back online. Note that downloads from this website, git repositories on code.videolan.org , the wiki and the forum are not affected. Important: Any communication send to email addresses on the videolan.org domain (aka yourdude@videolan.org) won't reach the receiver. VLC 2.2.3 2016-05-03 VideoLAN and the VLC development team are happy to publish version 2.2.3 of VLC media player today This third stable release of the "WeatherWax" version of VLC fixes more than 30 important bugs reported on VLC 2.2.2. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Read more about it on our release page . VideoLAN Dev Days 2016 part of QtCon 2016-02-18 2016 is a special year for many FLOSS projects: VideoLAN as open-source project and Free Software Foundation Europe both have their 15th birthday while KDE has its 20th birthday. All these call for celebrations! This year VideoLAN has come together with Qt , FSFE , KDE and KDAB to bring you QtCon , where attendees can meet, collaborate and get the latest news of all these projects. VideoLAN Dev Days 2016 will be organised as part of QtCon in Berlin. The event will start on Friday the 2nd of September with 3 shared days of talks, workshops, meetups and coding sessions. The current plan is to have a Call for Papers in March with the Program announced in early June. VLC 2.2.2 2016-02-06 VideoLAN and the VLC development team are happy to publish version 2.2.2 of VLC media player today This second stable release of the "WeatherWax" version of VLC fixes more than 100 important bugs and security issues reported on VLC 2.2.1. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Finally, this update solves installation issues on Mac OS X 10.11 El Capitan. Read more about it on our release page . 15 years of GPL 2016-02-01 VideoLAN is happy to celebrate with you the 15th anniversary of the birth of VideoLAN and VLC as open source projects! Announcing VLC for Apple TV 2016-01-12 VideoLAN and the VLC team is excited to announce the first release of VLC for Apple TV. It allows you to get access to all your files and video streams in their native formats without conversions, directly on the new Apple device and your TV. You can find details in our press release . libdvdcss 1.4.0 2015-12-24 VideoLAN is proud to announce the release of version 1.4.0 of libdvdcss . This release adds support for network callbacks, to play ISOs over the network, Android support, and cleans the codebase. VLC for iOS 2.7.0 2015-12-22 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds full support for iOS 9 including split screen and iPad Pro, for Windows shares (SMB), watchOS 2, a new subtitles engine, right-to-left interfaces, system-wide search (spotlight), Touch ID protection, and more. It will be available on the App Store shortly. VLC for ChromeOS 2015-12-17 VideoLAN and the Android teams are happy to announce the port of VLC to the ChromeOS operating system. This is the port of the Android version to ChromeOS, using the Android Runtime on Chrome. You can download it now! . VLC for Android 1.7.0 2015-12-01 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.7.0. This release includes a large refactoring that gives a new playlist, new notifications, a new subtitles engine, and uses less permissions. Get it now! . VLC for Android 1.6.0 2015-10-09 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.6.0. Ported to Android 6.0, this release should provide an important performance boost for decoding and the interface. Get it now! . DVBlast 3.0, multicat 2.1, bitstream 1.1 2015-10-07 VideoLAN and the DVBlast teams are happy to present the simultaneous release of DVBlast 3.0, bitstream 1.1 and multicat 2.1! DVBlast and multicat are now ported to OSX and DVBlast 3.0 is a major rewrite with new features like PID/SID remapping and stream monitoring. DVBlast , bitstream and multicat . libbluray 0.9.0 2015-10-04 VideoLAN and the libbluray team are releasing today libbluray 0.9.0. Adding numerous features, notably to better support BD-J menus and embedded subtitles files, it also fixes a few important issues, like font-caching. See more on libbluray page VLC for iOS 2.6.0 2015-06-30 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds support for Apple Watch to remote control and browse the library on iPhone, a mini player and large number of improvements through-out the app. It will be available on the App Store shortly. libbluray 0.8.0, libaacs 0.8.1 released 2015-04-30 The 2 VideoLAN Blu-Ray libraries have been released: libbluray 0.8.0 , libaacs 0.8.1 . These releases add support for ISO files, BD-J JSM and virtual devices. VLC 2.2.1 2015-04-16 VideoLAN and the VLC development team are releasing today VLC 2.2.1, named "Terry Pratchett". This first stable release of the "WeatherWax" version of VLC fixes most of the important bugs reported of VLC 2.2.0. VLC 2.2.0, a major version of VLC, introduced accelerated auto-rotation of videos, 0-copy hardware acceleration, support for UHD codecs, playback resume, integrated extensions and more than 1000 bugs and improvements. 2.2.0 release was the first release to have versions for all operating systems, including mobiles (iOS, Android, WinRT). More info on our release page VLC for Android 1.2.1, for WinRT & Windows Phone 1.2.1 and for iOS 2.5.0 2015-03-27 VideoLAN and the VLC development team are happy to release updates for all three mobile platforms today. VLC for Android received support for audio playlists, improved audio quality, improvements to the material design interface, including the black theme and switch to audio mode. Further, it is a major update for Android TV adding support for media discovery via UPnP, with improvements for recommendations and gamepads. VLC for Windows Phone and WinRT received partial hardware accelerated decoding allowing playback of HD contents of certain formats as well as further iterations on the user interface. For VLC for iOS, we focused on improved cloud integration adding support for iCloud Drive, OneDrive and Box.com, a 10-band equalizer as well as sharing of the media library on the local network alongside an improved playback experience. All updates will be available on the respective stores later today. We hope that you like them as much as we do. VLC 2.2.0 2015-02-27 VideoLAN and the VLC development team are releasing VLC 2.2.0 for most OSes. We're releasing the desktop version for Linux, Windows, OS X, BSD, and at the same time, Android, iOS, Windows RT and Windows Phone versions. More info on our release page and press release . libbluray 0.7.0, libaacs 0.8.0 and libbdplus 0.1.2 released 2015-01-27 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.7.0 , libaacs 0.8.0 and libbdplus 0.1.2 library. Those releases notably improves BD-J support, fonts support and file-system access. VLC for Android 0.9.9 2014-09-05 VideoLAN and the VLC development team are happy to present a new release for Android. This focuses on fixing crashes, better decoding and update of translations. More info in the release notes and download page . VLC 2.1.5 2014-07-26 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. This fixes a few bugs and security issues in third-party libraries, like GnuTLS and libpng. More info on our release page libbluray, libaacs and libbdplus release 2014-07-13 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.6.0 , libaacs 0.7.1 and libbdplus 0.1.1 library. Those releases notably add correct support for BD-J , the Java interactivity layer of Blu-Ray Discs. VLC for Android 0.9.7 2014-07-06 VideoLAN and the VLC development team are happy to present a new release for Android today. It improves a lot DVD menus and navigation, adds compatibility with Android L, fixes a few UI crashes and updates the translations. More info in the release notes . VLC for Android 0.9.5 2014-06-13 VideoLAN and the VLC development team are happy to present a new release for Android today. It adds support for DVD menus, a new VLC icon, tutorials and numerous fixes for crashes. More info in the release notes . VLC for iOS 2.3.0 2014-04-18 VideoLAN and the VLC development team are happy to present a new release for iOS today. It adds support for folders to group media, more options to customize playback, improved network interaction in various regards, many small but noticeable improvements as well as 3 new translations. More info in the release notes . VideoLAN announces distributed codec and conecoins! 2014-04-01 VideoLAN and the VLC development team are happy to present their new distributed codec, named CloudCodet ! To help smartphones users, this codec allows powerful computers to decode for other devices and the CPU-sharers will mine some conecoin , a new cone-shaped crypto-currency, in reward. More info on our press page VLC 2.1.4 and 2.0.10 2014-02-21 VideoLAN and the VLC development team are happy to present two updates for Mac OS X today. Version 2.1.4 solves an important DVD playback regression, while 2.0.10 accumulates a number of small improvements and bugfixes for older Macs based on PowerPC or 32-bit Intel CPUs running OS X 10.5. VLC 2.1.3 2014-02-04 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. Fixing multiple bugs and regressions introduced in 2.1.0, 2.1.1 and 2.1.2, notably on audio and video outputs, decoders and demuxers More info on our release page libbluray, libaacs and libbdplus release 2013-12-24 Several Blu-Ray related libraries have been released: libbluray 0.5.0 , libaacs 0.7.0 and the new libbdplus library. VLC 2.1.2 2013-12-10 VideoLAN and the VLC development team are proud to present the second minor version of the VLC 2.1.x branch. Fixing many bugs and regressions introduced in 2.1.0, notably on audio device management and SPDIF/HDMI pass-thru. More info on our release page VLC 2.1.1 2013-11-14 VideoLAN and the VLC development team are proud to present the first minor version of the VLC 2.1.x branch. Fixing a numerous number of bugs and regressions introduced in 2.1.0, it also adds experimental HEVC and VP9 decoding and improves VLC installer on Windows. More info on our release page VLC 2.0.9 2013-11-05 VideoLAN and the VLC development team are glad to present a new minor version of the VLC 2.0.x branch. Mostly focused on fixing a few important bugs and security issues, this version is mostly needed for Mac OS X, notably for PowerPC and Intel32 platforms that cannot upgrade to 2.1.0. VLC 2.1.0 2013-09-26 VideoLAN and the VLC development team are glad to present the new major version of VLC, 2.1.0, named Rincewind With a new audio core, hardware decoding and encoding, port to mobile platforms, preparation for Ultra-HD video and a special care to support more formats, 2.1 is a major upgrade for VLC. Rincewind has a new rendering pipeline for audio, with better effiency, volume and device management, to improve VLC audio support. It supports many new devices inputs, formats, metadata and improves most of the current ones, preparing for the next-gen codecs. More info on our release page . VLC for iOS version 2.1 2013-09-06 VideoLAN and the VLC for iOS development team are happy to present version 2.1 of VLC for iOS, a first major update to this new port adding support for subtitles in non-western languages, basic UPNP discovery and streaming, FTP server discovery, streaming and downloading, playback of audio-only media, a newly implemented menu and application flow as well as various stability improvements, minor enhancements and additional translations. VLC 2.0.8 and 2.1.0-pre2 2013-07-29 VideoLAN and the VLC development team are happy to present VLC 2.0.8, a security update to the "Twoflower" family, and VLC 2.1.0-pre2, the second pre-version of VLC 2.1.0. You can find info about 2.0.8 in the release notes . VLC 2.1.0-pre2 is a test version of the next major version of VLC, named "Rincewind", intended for advanced users. If you're brave, you can try it now! NB: The first binaries of 2.0.8 for Win32 and Mac were broken. Please re-download them. VLC 2.0.7 2013-06-10 VideoLAN and the VLC development team are happy to present the eighth version of "Twoflower", a minor update that improves the overall stability. Notable changes include fixes for audio decoding, audio encoding, small security issues, regressions, fixes for PowerPC, Mac OS X and new translations. More info in the release notes . VLC 2.0.6 2013-04-11 VideoLAN and the VLC development team are happy to present the seventh version of "Twoflower", a minor update that improves the overall stability. Notable changes include support for Matroska v4, improved reliability for ASF, Ogg, ASF and srt support, fixed GPU decoding on Windows on Intel GPU, fixed ALAC and FLAC decoding, and a new compiler for Windows release. More info in the release notes . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VLC fundraiser for Windows 8, RT and Phone ended 2012-12-29 Today, the fundraising campaign for for Windows 8, RT and Phone run by some VideoLAN team members ended. Their goal was successfully reached and they announced to start working on the new ports right away. Find out more . VLC 2.0.5 2012-12-15 VideoLAN and the VLC development team are happy to present the sixth version of "Twoflower", a minor update that improves the overall stability. Notable changes include improved reliability for MKV file playback, fixed MPEG2 audio and video encoding, pulseaudio synchronization, Mac OS interface, and other fixes. It also resolves potential security issues in HTML subtitle parser, freetype renderer, AIFF demuxer and SWF demuxer. More info in the release notes . We would like to remind our users that some VideoLAN team members are trying to raise money for VLC for Windows Metro on Kickstarter . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VideoLAN Security Advisory 1203 2012-11-02 VLC media player versions 2.0.3 and older suffer from a critical buffer overflow vulnerability. Refer to our advisory for technical details. A fix for this issue is already available in VLC 2.0.4. We strongly recommend all users to update to this new version. VLC 2.0.4 2012-10-18 VideoLAN and the VLC development team present the fifth version of "Twoflower", a major update that fixes a lot of regressions, issues and security issues in this branch. It introduces Opus support, improves Youtube, Vimeo streams and Blu-Ray dics support. It also fixes many issues in playback, notably on Ogg and MKV playback and audio device selections and a hundred of other bugs. More info in the release notes . Updated 2.0.3 builds for Mac OS X 2012-08-01 A small number of users on specific setups experienced audio issues with the latest version of VLC media player for Mac OS X. If you are affected, please download VLC again and replace the existing installation. If you're not, there is nothing to do. VideoLAN at FISL 2012-07-19 Next week, we will give two talks about VideoLAN and VLC media player at the 13° Fórum Internacional Software Livre in Porto Alegre, Brazil. This is the first time VideoLAN members attend a conference in South America. We are looking forward to it and hope to see you around. VLC 2.0.3 2012-07-19 VideoLAN and the VLC development are proud to present a minor update adding support for OS X Mountain Lion as well as improving VLC's overall stability on OS X. Additionally, this version includes updates for 18 translations and adds support for Uzbek and Marathi. For MS Windows, you can update manually if you need the translation updates. VLC 2.0.2 2012-07-01 After more than 100 million downloads of VLC 2.0 versions, VideoLAN and the VLC development team present the third version of "Twoflower", a major update that fixes a lot of regressions in this branch. It introduces an important number of features for the Mac OS X platform, notably interface improvements to be on-par with the classic VLC interface, better performance and Retina Display support. VLC 2.0.2 fixes the video playback on older devices both on MS Windows and Mac OS X, includes overall performance improvements and fixes for a couple of hundreds of bugs. More info in the release notes . World IPv6 Launch 2012-06-04 The VideoLAN organization is taking part in the World IPv6 launch on June 6. All services including the website, the forums, the bugtracker and the git server are now accessible via IPv6. VideoLAN at LinuxTag 2012-05-21 We will presenting VLC and other VideoLAN projects at LinuxTag in Berlin this week (booth #167, hall 7.2a). Come around and have a look at our latest developments! Of course, we will also be present during LinuxNacht, in case that you prefer to share a beer with us. 1 billion thank you! 2012-05-09 VideoLAN would like to thank VLC users 1 billion times, since VLC has now been downloaded more than 1 billion times from our servers, since 2005! Get the numbers ! VLC 2.0.1 2012-03-19 After 15 million downloads of VLC 2.0.0 versions, VideoLAN and the VLC development team present the second version of "Twoflower", a bugfix release. Support for MxPEG files, new features in the Mac OS X interface are part of this release, in addition to faster decoding and fixes for hundred of bugs and regression, notably for HLS, MKV, RAR, Ogg, Bluray discs and many other things. This is also a security update . More info on the release notes . VLC 2.0.0 2012-02-18 After 485 million downloads of VLC 1.1.x versions, VideoLAN and the VLC development team present VLC 2.0.0 "Twoflower", a major new release. With faster decoding on multi-core, GPU, and mobile hardware and the ability to open more formats, notably professional, HD and 10bits codecs, 2.0 is a major upgrade for VLC. Twoflower has a new rendering pipeline for video, with higher quality subtitles, and new video filters to enhance your videos. It supports many new devices and BluRay Discs (experimental). It features a completely reworked Mac and Web interfaces and improvements in the other interfaces make VLC easier than ever to use. Twoflower fixes several hundreds of bugs, in more than 7000 commits from 160 volunteers. More info on the release notes . VideoLAN at SCALE 10x 2012-01-15 VideoLAN will have a booth (#74) at the Southern California Linux Expo at the Hilton Los Angeles Airport Hotel next week-end. The event will take place from Friday throughout Sunday. We will happily show you the latest developments and our forthcoming major VLC update. multicat 2.0 2012-01-04 VideoLAN is happy to announce the second major release of multicat . It brings numerous new features, such as recording chunks of a stream in a directory, and supporting TCP socket and IPv6, as well as bug fixes. Also aggregaRTP was extended to support retransmission of lost packets. DVBlast 2.1 2012-01-04 VideoLAN is happy to announce version 2.1 of DVBlast . It is a bugfix release, fixing in particular a problem with MMI menus present in 2.0. VLC engine relicensed to LGPL 2011-12-21 As previously stated , VideoLAN worked on the relicensing of libVLC and libVLCcore: the VLC engine. We are glad to announce that this process is now complete for VLC 1.2. Thanks a lot for the support. VLC 1.1.13 2011-12-20 VideoLAN and the VLC development team present VLC 1.1.13, a bug and security fix release. This release was necessary due to a security issue in the TiVo demuxer . Source code is available. DVBlast 2.0 and biTStream 1.0 2011-12-15 VideoLAN is happy to announce DVBlast 2.0, the fourth major release of DVBlast . It fixes a number of issues, such as packet bursts and CAM communication problems, adds more configuration options, and improves dvblastctl with stream information. It also gets rid of the runtime dependency on libdvbpsi thanks to biTStream. VideoLAN is also happy to introduce the first public release of biTStream , a set of C headers allowing a simpler access (read and write) to binary structures such as specified by MPEG, DVB, IETF, etc... It is released under the MIT license to avoid readability concerns being shadowed by license issues. It already has a pretty decent support of MPEG systems packet structures, MPEG PSI, DVB SI, DVB simulcast and IETF RTP. libaacs 0.3.0 2011-12-02 The doom9 researchers and the libaacs developers would like to present the first official release of their library of the implementation of the libaacs standard. libaacs 0.3.0 source code can be downloaded on the VideoLAN download service . Nota Bene: This library is of no use without AACS keys. libbluray 0.2.1 2011-11-30 VideoLAN and the libbluray developers would like to present the first official release of their library to help playback of Blu-Ray for open source systems. libbluray 0.2.1 source code can be downloaded on the VideoLAN ftp . VLC 1.1.12 2011-10-06 VideoLAN and the VLC development team present VLC 1.1.12, a bug and security fix release with improvements for audio output on Mac OS X and with PulseAudio. This release was necessary due to a security issue in the HTTP and RTSP server components, though this does not affect standard usage of the player. Binaries for Mac OS X and sources are available. Changing the VLC engine license to LGPL 2011-09-07 During the third VideoLAN Dev Days , last weekend in Paris, numerous developers approved the process of changing the license of the VLC engine to LGPL 2.1 (or later). This is the beginning of the process and will require the authorization from all the past contributors. See our press release on this process. libdvbpsi 0.2.1 2011-09-01 The libdvbpsi development team release version 0.2.1 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.1 is a bugfix release which corrects minor issues in libdvbpsi. For more information on features visit libdvbpsi main page . Invitation to VDD11 2011-08-15 VideoLAN would like to invite you to join us at the VideoLAN Dev Days 2011. This technical conference about open source multimedia, will see developers from VLC, libav, FFmpeg, x264, Phonon, DVBlast, PulseAudio, KDE, Gnome and other projects gather to discuss about open source development for multimedia projects. It will be held in Paris, France, on September 3rd and 4th , 2011. See more info, on the dedicated page. VLC 1.1.11 2011-07-15 VideoLAN and the VLC development team present VLC 1.1.11, a security release with some other improvements. This release was necessary due to two security issues in the real and avi demuxers. It also contains improvements in the fullscreen mode of the Win32 mozilla plugin, the MacOSX Media Key handling and Auhal audio output as well as bug fixes in GUI, decoders and demuxers.. Source and binaries builds for Windows and Mac are available. VLC 1.1.10.1 2011-06-16 Shortly after VLC 1.1.10, VideoLAN and the VLC development team present version 1.1.10.1, which includes small fixes for the Mac OS X port such as disappearing repeat buttons and restored Freebox TV access. Additionally, the installation size was reduced by up to 30 MB. See the release notes for more information on the additional improvements included from VLC 1.1.10. VLC 1.1.10 2011-06-06 VideoLAN and the VLC development team present VLC 1.1.10, a minor release of the 1.1 branch. This release, 2 months after 1.1.9, was necessary because some security issues were found (see SA 1104 ), and the VLC development team cares about security. This release brings a rewritten pulseaudio output, an important number of small Mac OS X fixes, the removal of the font-cache building for the freetype module on Windows and updates of codecs. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.10. libdvbpsi 0.2.0 2011-05-05 The libdvbpsi development team release version 0.2.0 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.0 marks a license change from GPLv2 to LGPLv2.1 . For more information on features visit libdvbpsi main page . Phonon VLC 0.4.0 2011-04-27 VideoLAN would like to point out that the Phonon team has released Phonon VLC 0.4.0 . The new version of the best backend for the Qt multimedia library features much improved stability, more video features and control as well as completely redone streaming input capabilities. You can read more on Phonon VLC 0.4.0 in the release announcement ! VLC 1.1.9 2011-04-12 VideoLAN and the VLC development team present VLC 1.1.9, a minor release of the 1.1 branch. This release, not long after 1.1.8, was necessary because some security issues were found, and the VLC development team cares about security. This release also brings updated translations and a lot of small Mac OS X fixes. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.9. libdvbcsa 1.1.0 is now out! 2011-04-03 libdvbcsa's new versions brings major speed improvements and optimizations of key schedules. It also fixes minor issues. You can get it now on our FTP or on the main libdvbcsa page! A new year of Google Summer of Code 2011-03-28 Instead of having a lousy student summer internship, why not working for VideoLAN and have an impact on millions of people world-wide? The Google Summer of Code program is starting soon and you should send your applications before April 8th 2011, 19:00 UTC, on the webapplication . You shouldn't wait for the last minute and we would like to remember that application can be modified afterwards and that you can submit multiple applications. Join the team now! VLC 1.1.8 and anti-virus software 2011-03-25 Yet again, broken anti-virus software flag the latest version of VLC on Windows as a malware. This is, once again, a false positive . As some of the anti-virus makers plainly refuse to fix their code, we recommend to our users to stop using Kaspersky , AVL , TheHacker or AVG . Users are advised to use the free Antivir or the new Microsoft Security Essential . Moreover , we advise users to download VLC only from videolan.org , as very numerous scam websites have appeared lately. VLC 1.1.8 2011-03-23 VideoLAN and the VLC development team present VLC 1.1.8, a minor release of the 1.1 branch. Small new features, many bugfixes, updated translations and security issues are making this release too. Notable improvements include updated look on Mac, new Dirac encoder, new VP8/Webm encoder, and numerous fixes in codecs, demuxers, interface, subtitles auto-detection, protocols and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.8. CeBit and 10 years of open source... 2011-02-28 The VideoLAN project and organization would like to thank everyone for the support during this month for our 10 years We'd like to invite you to meet us at the CeBIT , starting from tomorrow, in the open source lounge, Hall 2, Stand F44 . 10 years of open source for VideoLAN: end of 10 days... 2011-02-12 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 6 showed a selection of extensions ; Day 7 detailed a few secret features ; Day 8 showed a few nice cones ; Day 9 detailed our committers and download numbers ; Day 10 showed of a showed a promotionnal video . Please join the celebration! 10 years of open source for VideoLAN: continued... 2011-02-07 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 1 spoke about the early history of the project ; Day 2 spoke about the website design ; Day 3 showed a cool video ; Day 4 listed our preferred skins ; Day 5 showed of a photo of the team at the FOSDEM ; Day 6 (one day late) showed a selection of extensions . Please join the celebration! New website design 2011-02-02 As you might have seen, we've change the design of the main website . The website design was done by Argon and this project was sponsored by netzwelt.de . VLC 1.1.7 2011-02-01 VideoLAN and the VLC development team present VLC 1.1.7, a small security update on 1.1.6. Small new features, many bugfixes, updated translations and security issues were making the 1.1.6 release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.6. Source was available yesterday; binaries for Windows and Mac OS X are now available. 10 years of open source for VideoLAN 2011-02-01 The VideoLAN project and organization are proud to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software, that happened exactly 10 years ago. To celebrate, small infos, stories and goodies will be posted in the next ten days on this site . Day 1 speaks about the early history of the project Please join the celebration! VLC 1.1.6 2011-01-23 VideoLAN and the VLC development team are proud to present VLC 1.1.6, the sixth bugfix release of the VLC 1.1.x branch. Small new features, many bugfixes, updated translations and security issues are making this release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information. NB: The first versions for Intel-based Macs (64bit and Universal Binary) included a rtsp streaming bug, which also hindered access to the Freebox. Please re-download. End of support for VLC 1.0 series 2011-01-22 The VideoLAN team ceases all form of support for VLC media player versions 1.0.x. Focusing maintenance efforts on the current VLC 1.1 versions, and further development on the upcoming VLC 1.2 series, the VideoLAN team will not deliver any further update for VLC versions 1.0.x (last release was 1.0.6), and VLC 0.9.x (last release was 0.9.10). VLC 1.1.6 will be released shortly. This release will introdu
2026-01-13T09:30:37
https://hcaptcha.com/ai-ethics.html
AI Ethics Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In AI Ethics Policy Why do we have an AI Ethics policy? Virtually every technology, from pencils to dynamite, is a dual use solution; it can be used for good or ill. Every company researching, building, or selling dual use solutions has an obligation to consider the consequences of their actions. This page details our thoughts on this topic in the context of AI Ethics, and the processes we follow to ensure use of our services remains in line with the policies we have adopted as a company. AI Ethics at hCaptcha We occasionally get questions as to what kinds of questions are permissible for the hCaptcha service, and why particular questions are being asked. Human beings are pattern-seekers, and sometimes an innocuous question can go from entirely unsurprising to suspicious in an instant, due to changes in the world rather than the motivations of anyone asking the question. As services become more popular, this sort of occurrence inevitably becomes more frequent. hCaptcha is used by millions of people each day in virtually every country in the world, so we are publishing this policy and a case study on how we address these issues in order to be as transparent as possible. A real-world AI Ethics case study “Umbrella” is a term in ImageNet, the standard benchmark dataset used by computer vision researchers. Reliably identifying people holding umbrellas is also critical for building safe next-generation advanced driver assistance (ADAS) systems. This means there are excellent use cases for real-world umbrella annotations. There is room for disagreement on the impact of self-driving cars, but ADAS systems are already saving thousands of lives each year around the world. However, in 2020 it became clear that building this kind of dataset could be perceived as a dual use technology in a way few would have expected a year ago. We are thus no longer accepting requests for questions related to umbrellas at this time. The potential for confusion when an end-user sees a question about umbrellas in the current moment is too high, and ultimately our goal is to make the world a more pleasant place. AI Ethics policies and processes We have a strict AI Ethics policy at hCaptcha, and part of that includes a Know Your Customer (KYC) process. We always attempt to gain a good understanding of each new customer and their intended use case, both to confirm it is a good fit for our products and services and to ensure that it follows the policies we have adopted as a company. We also conduct ongoing reviews as necessary. For example, in our recent review of the dates and sources of requests for umbrella-related labeling requests we were quickly able to confirm that no government entity or known state supplier of surveillance software has made requests regarding umbrellas using our services in the past 12 months. What does our AI Ethics process look like? For each new labeling customer, we go through a checklist during the sales process. This includes initial KYC diligence prior to onboarding, as well as verification of all requests made to our analysts, and real-time spot checks and periodic reviews of requests made using our self-service platform. This review is composed of several sets of criteria: Ethical concerns criteria: Objective 1. Is this customer representing the national interests of a country known to engage in behavior contrary to international laws and norms? 2. Is this customer requesting services that could be primarily used only for malicious purposes, in the context of their normal business activities? 3. Can the customer’s request be fulfilled under US law and our rules of engagement? Ethical concerns criteria: Subjective 1. Do we believe that the customer has given us a use case that we deem morally acceptable, according to our interpretation of typical Western societal norms? 2. Do we believe that our provided services would likely be used for discriminatory purposes by the customer, in ways that might be legal but are not acceptable to us? 3. Do we believe that privacy needs can be satisfactorily addressed for the request? If we cannot satisfy ourselves on these points, we will decline the request and may terminate further access to our platform, as outlined in our Terms. Thank you We hope you appreciated this look into how we handle operational questions with an AI Ethics component. Very few companies offer transparency into their decision-making processes in this area, and we hope others will follow this example! Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://hcaptcha.com/about.html
hCaptcha - About Us Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In About hCaptcha Privacy, Security, and Machine Learning. hCaptcha is the world's most widely used independent CAPTCHA service. Learn More Contact Sales Privacy Focused hCaptcha brings a modern, privacy-focused approach to stopping bots and human abuse. Our systems are thus designed from the ground up to minimize data collection and retention while maintaining class-leading security. The best way to protect user data is not to store it at all. Security First Bad actors are increasingly common online. But sacrificing user privacy is not the answer. Security solutions offered by ad companies focus primarily on tracking users across the web. We have created an effective security solution that proves harming user privacy is not necessary to deliver excellent results. Who we are An experienced team, working on today's hardest problems. hCaptcha is a service of Intuition Machines . With decades of software and ML expertise, we build and operate massively scalable systems to tackle some of today's hardest problems while preserving privacy. We specialize in deep learning and visual domain machine learning at scale, with a particular focus on securing online systems from sophisticated modern threats. Advisors Brendan Eich CEO of Brave. Co-founder of Mozilla. Creator of the JavaScript programming language. Builder of browsers and more. Dawn Song Professor, CS at University of California, Berkeley. Deep learning, security, blockchain expert. CEO of Oasis Labs. Kieran Thompson Research Scientist at Stanford. Machine learning and quant finance at major banks, hedge funds, and academia. Sign up free or contact us about hCaptcha Enterprise solutions Sign Up Contact Sales Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://aws.amazon.com/ru/textract/
Интеллектуальное извлечение текста и данных с помощью OCR – Amazon Textract – Amazon Web Services Перейти к главному контенту Filter: Все English Свяжитесь с нами AWS Marketplace Поддержка Мой аккаунт Поиск Filter: Все Войти в консоль Создать аккаунт Amazon Textract Обзор Возможности Цены Ресурсы Вопросы и ответы Еще Продукты › Machine Learning › Amazon Textract Интеллектуальная обработка документов Amazon обеспечивает окупаемость инвестиций на 73 %. Заполните небольшую форму, чтобы загрузить отчет. Amazon Textract Автоматическое извлечение печатного и рукописного текста, элементов макета и данных из любых документов Начать работу с Amazon Textract Связаться с отделом продаж Преимущества Amazon Textract Amazon Textract – сервис машинного обучения (МО), который автоматически извлекает печатный и рукописный текст, элементы макета и данные из сканированных документов. Этот процесс выходит за рамки простого оптического распознавания символов (OCR) и дает возможность идентифицировать, понимать и извлекать конкретные данные из документов. Сегодня многие компании получают данные из сканированных документов (например, PDF-файлов, изображений, таблиц и форм) вручную или с помощью простого программного обеспечения для оптического распознавания текста, которому требуется ручная настройка и, зачастую, обновление при изменении формы. Чтобы устранить дорогостоящую ручную обработку, Amazon Textract читает и обрабатывает любые типы документов с помощью машинного обучения, точно извлекая печатный и рукописный текст, таблицы и другие данные, при этом ручная работа не требуется. Вне зависимости от того, автоматизируете ли вы процесс выдачи кредитов или извлекаете данные из счетов и чеков, можно быстро настроить автоматическую обработку документов с помощью одной из наших предварительно обученных или пользовательских функций. Amazon Textract предоставляет возможность настраивать предварительно обученные функции в соответствии с потребностями в обработке документов вашей компании. Amazon Textract может извлечь данные всего за несколько минут, а не часов или дней. Играть Преимущества Amazon Textract Повышение эффективности и ускорение принятия решений Повышайте эффективность бизнеса и ускоряйте процесс принятия решений, одновременно снижая затраты. Ключевая информация Извлекайте ключевую информацию с высокой точностью практически из любого документа. Простое масштабирование Увеличьте или уменьшите конвейер обработки документов, чтобы быстро адаптироваться к требованиям рынка. Автоматизация обработки данных Безопасно автоматизируйте обработку данных с помощью стандартов конфиденциальности, шифрования и соответствия требованиям. Примеры использования Финансовые услуги Быстрее обрабатывайте кредитные и ипотечные заявки благодаря безошибочному извлечению важных рабочих данных, таких как ставки по ипотечным кредитам, имена заявителей и общие счета, из различных финансовых форм. Здравоохранение и медико‑биологические разработки Обеспечьте более высокое качество обслуживания пациентов и страховых компаний за счет извлечения важных медицинских данных из документов об осмотре, страховых заявок и форм предварительной авторизации. Храните данные в упорядоченном виде, не теряя первоначального контекста, а также избавьтесь от ручного анализа исходящих данных. Государственный сектор Легко получайте необходимые данные из таких государственных документов, как заявки на кредитование малого бизнеса, федеральные налоговые формы и бизнес-приложения, с высокой степенью точности. Дальнейшие шаги Уровень бесплатного пользования Попробуйте уровень бесплатного пользования AWS Зарегистрировать бесплатный аккаунт Консоль Подробнее об Amazon Textract Приступить к разработке Создать аккаунт AWS Подробнее Что такое AWS? Что такое облачные вычисления? Что такое агентный ИИ? Центр концепций в сфере облачных вычислений Безопасность облака AWS Новые возможности Блоги Пресс-релизы Ресурсы Начало работы Обучение Центр доверия AWS Библиотека решений AWS Центр архитектуры Вопросы и ответы по продуктам и техническим темам Аналитические отчеты Партнеры AWS Разработчики Центр Builder SDK и инструменты .NET на AWS Python на AWS Java на AWS PHP на AWS JavaScript на AWS Поддержка Свяжитесь с нами Обращение в службу поддержки AWS re:Post Центр знаний Обзор Поддержки AWS Получение помощи специалиста Доступность AWS Юридическая информация English К началу Amazon – работодатель равных возможностей. Мы обеспечиваем справедливое отношение к представителям меньшинств, женщинам, лицам с ограниченными возможностями, ветеранам боевых действий и представителям любых гендерных групп и сексуальной ориентации независимо от их возраста. x facebook linkedin instagram twitch youtube podcasts email Конфиденциальность Условия пользования сайтом Параметры файлов cookie © Amazon Web Services, Inc. и дочерние организации, 2026. Все права защищены.
2026-01-13T09:30:37
https://hcaptcha.com/certifications.html
Security Certifications Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In Our Commitment to Security and Privacy hCaptcha has always been committed to security and privacy, and undergoes regular external audits to certify this. These include third-party audits of our compliance with international security best practices, and the information security and private information management systems we have put in place for ongoing assurance. hCaptcha Enterprise customers may request certifications, attestation letters, and other documentation by contacting your designated account representative, or sales@hcaptcha.com . ‍ ISO/IEC 27001 Certification hCaptcha maintains a current ISO/IEC 27001 certification. ISO (International Organization for Standardization) is an independent, non-governmental international organization with a membership of 168 national standards bodies. ISO/IEC 27001 is the world's best-known standard for information security management systems (ISMS). It defines requirements an ISMS must meet. The ISO/IEC 27001 standard provides companies of any size and from all sectors of activity with guidance for establishing, implementing, maintaining and continually improving an information security management system. Conformity with ISO/IEC 27001 means that an organization or business has put in place a system to manage risks related to the security of data owned or handled by the company, and that this system respects all the best practices and principles enshrined in this International Standard. source: ISO Learn more about ISO/IEC 27001 . ‍ ISO/IEC 27701 Certification hCaptcha maintains a current ISO/IEC 27701 certification. ISO (International Organization for Standardization) is an independent, non-governmental international organization with a membership of 168 national standards bodies. ISO 27701 extends ISO/IEC 27001 to cover privacy information management. It defines requirements for a Privacy Information Management System (PIMS) to process Personally Identifiable Information (PII) while managing privacy controls to reduce risk to the private data and rights of data subjects. Conformity with ISO/IEC 27701 means that an organization or business has put in place a system to manage risks related to the privacy of data owned or handled by the company, and that this system respects all the best practices and principles enshrined in this International Standard. source: ISO + IMI Learn more about ISO/IEC 27701 . SOC 2 Type II Certification hCaptcha maintains a current SOC 2 Type II certification. SOC 2 - SOC for Service Organizations: Trust Services Criteria Report on Controls at a Service Organization Relevant to Security, Availability, Processing Integrity, Confidentiality or Privacy These reports are intended to meet the needs of a broad range of users that need detailed information and assurance about the controls at a service organization relevant to security, availability, and processing integrity of the systems the service organization uses to process users' data and the confidentiality and privacy of the information processed by these systems. These reports can play an important role in: - Oversight of the organization - Vendor management programs - Internal corporate governance and risk management processes - Regulatory oversight A type 2 report covers both management’s description of a service organization's system, the suitability of the design, and operating effectiveness of controls over a period of time. source: AICPA hCaptcha SOC 2 Type II reports cover a full 12 month audit period, rather than being a "point in time" audit as with Type I reports. Learn more about SOC 2 Type II . ‍ PCI DSS 4.0 Level 1 Service Provider Compliant hCaptcha complies with current PCI DSS 4.0 Level 1 Service Provider requirements. PCI DSS 4.0 is the latest Payment Card Industry Data Security Standard. Level 1 is the highest level of PCI certification. This requires a Qualified Security Assessor to inspect and assess the data environment (CDE) for compliance with protection standards. Attestation of Compliance documents are available to Enterprise customers upon request. Although hCaptcha does not process unblinded payment card or cardholder data, the service complies with the latest version of this standard in the Service Provider role. PCI DSS 4.0 provides a framework for protecting cardholder data and sensitive authentication data. Compliance is mandatory for any organization that stores, processes or transmits payment card data. Key requirements include building and maintaining secure networks, protecting cardholder data, implementing strong access control measures, regularly monitoring and testing networks, and maintaining an information security policy. New requirements in 4.0 focus on enhancing security for emerging technologies like cloud, virtualization, and mobile. There is also increased emphasis on training staff and third parties on security best practices. Vendors must provide proof of compliance through annual assessments, including regular external network audits. Learn more about PCI DSS 4.0 . ‍ Data Privacy Framework Certification hCaptcha has certified its compliance with the DPF, covering EU-US, UK-US, and Swiss-US DPF agreements. The GDPR is Europe's General Data Protection Regulation, which regulates many aspects of private data. hCaptcha has enrolled in the Data Privacy Framework program, a series of international agreements giving EU, UK, and Swiss citizens similar data protection no matter where their data is handled, ensuring data protection that is consistent with EU, UK, and Swiss law. While hCaptcha has a unique focus on privacy and data minimization, including Zero PII features available to Enterprise customers, and continues to follow the strict provisions of the Standard Contractual Clauses, enrolling in the DPF is a way to give additional assurances to users and customers of our service. ‍ Our GDPR FAQ . ‍ ‍ Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://www.hcaptcha.com/support-interstitial.html
Support Interstitial Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In Let's make sure you get to the right place. For companies Enterprise security solutions Get support for hCaptcha Enterprise hCaptcha Free or Pro Get support for hCaptcha Free or Pro For individuals Having difficulty with a challenge? Learn about accessibility options for hCaptcha Want to report a bug? Learn more about reporting software issues Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://id-id.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2uSBdmSz78opCzfXRk8sDp5Tx_pJMYcUHvdh_Y1uwRbLIwU8PDPteD4TlH6Y7RUae6xxhyDls2F2tUQWOAP5Y3mFMh-4xbeg9gl6BNTLLEIylaoA95kpo_i5MI9EnkYxlCmuGHOuAB2WxG9xeTFw
Facebook Facebook Email atau telepon Kata Sandi Lupa akun? Buat Akun Baru Anda Diblokir Sementara Anda Diblokir Sementara Sepertinya Anda menyalahgunakan fitur ini dengan menggunakannya terlalu cepat. Anda dilarang menggunakan fitur ini untuk sementara. Back Bahasa Indonesia 한국어 English (US) Tiếng Việt ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Daftar Masuk Messenger Facebook Lite Video Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Konten Meta AI lainnya Instagram Threads Pusat Informasi Pemilu Kebijakan Privasi Pusat Privasi Tentang Buat Iklan Buat Halaman Developer Karier Cookie Pilihan Iklan Ketentuan Bantuan Pengunggahan Kontak & Non-Pengguna Pengaturan Log aktivitas Meta © 2026
2026-01-13T09:30:37
https://pastebin.com/archive
Pastes Archive - Pastebin.com Pastebin API tools faq paste Login Sign up Pastes Archive This page contains the most recently created 'public' pastes. Name / Title Posted Syntax Untitled 9 min ago - Untitled 19 min ago - Untitled 29 min ago - Untitled 39 min ago - Untitled 50 min ago - Untitled 60 min ago - Untitled 1 hour ago - Untitled 3 hours ago - Untitled 5 hours ago - Untitled 7 hours ago - Untitled 9 hours ago - Untitled 11 hours ago - Untitled 13 hours ago - Untitled 15 hours ago - Untitled 17 hours ago - Untitled 19 hours ago - Untitled 21 hours ago - Untitled 23 hours ago - Hytale Launcher Lutris Log 23 hours ago - Wuthering Waves Lutris Wine 10-20 1 day ago - Untitled 1 day ago - Untitled 1 day ago - cloudflare log build error 1 day ago JavaScript sql_PHP-INSERT-TRY-CATCH-ERRORS 1 day ago - Untitled 1 day ago - Untitled 1 day ago - Untitled 1 day ago - Untitled 1 day ago - Yu-Gi-Oh! Forbidden Memories: 100% Run - FAQ 1 day ago - Untitled 1 day ago - Untitled 1 day ago - Untitled 1 day ago - Untitled 1 day ago - Untitled 1 day ago - Inoreader custom CSS 1 day ago CSS Untitled 1 day ago - Untitled 1 day ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Untitled 2 days ago - Public Pastes Untitled 8 min ago | 0.94 KB Untitled 18 min ago | 0.94 KB Untitled 29 min ago | 0.94 KB Untitled 39 min ago | 0.94 KB Untitled 49 min ago | 0.94 KB Untitled 59 min ago | 0.94 KB Untitled 1 hour ago | 10.19 KB Untitled 3 hours ago | 13.48 KB create new paste  /  syntax languages  /  archive  /  faq  /  tools  /  night mode  /  api  /  scraping api  /  news  /  pro privacy statement  /  cookies policy  /  terms of service  /  security disclosure  /  dmca  /  report abuse  /  contact By using Pastebin.com you agree to our cookies policy to enhance your experience. Site design & logo © 2026 Pastebin We use cookies for various purposes including analytics. By continuing to use Pastebin, you agree to our use of cookies as described in the Cookies Policy .   OK, I Understand Not a member of Pastebin yet? Sign Up , it unlocks many cool features!  
2026-01-13T09:30:37
https://aws.amazon.com/solutions/implementations/firewall-automation-for-network-traffic-on-aws/
Guidance for Cross Network Traffic Inspection with AWS Network Firewall Skip to main content Filter: All English Contact us AWS Marketplace Support My account Search Filter: All Sign in to console Create account AWS Solutions Library Industry Cross-Industry Technology Organization Type Browse By More AWS Solutions Library › Guidance for Cross Network Traffic Inspection with AWS Network Firewall New Feature Alert! AWS Network Firewall now integrates with AWS Transit Gateway, simplifying your network security configuration. We are updating this Guidance to reflect the capability. View AWS documentation by clicking on this banner. Guidance for Cross Network Traffic Inspection with AWS Network Firewall Open guide Go to sample code Overview This Guidance demonstrates how to automate the deployment of centralized network security infrastructure that inspects and filters traffic across multiple cloud environments. It shows how to establish a reliable, highly available architecture that protects workloads across multiple Availability Zones while reducing operational overhead. By automating configuration management with built-in validation checks, the Guidance prevents misconfigurations and helps ensure consistent security policy enforcement. Organizations can benefit from simplified network security management while maintaining operational resilience and scalability. Benefits Deploy automated policies Update and deploy network security rules through a streamlined configuration process. Changes automatically trigger validation and implementation across your infrastructure. Centralize security management Manage network security for thousands of VPCs from a single control point, simplifying policy administration and helping ensure consistent protection across your organization. Track security changes Audit security policy modifications through version-controlled workflows, enabling team collaboration while maintaining comprehensive change history. How it works These technical details feature an architecture diagram to illustrate how to effectively use this solution. The architecture diagram shows the key components and their interactions, providing an overview of the architecture's structure and functionality step-by-step. Download the architecture diagram Deploy with confidence Everything you need to launch this Guidance in your account is right here We'll walk you through it Dive deep into the implementation guide for additional customization options and service configurations to tailor to your specific needs. Open guide Let's make it happen Ready to deploy? Review the sample code on GitHub for detailed deployment instructions to deploy as-is or customize to fit your needs.  Go to sample code Disclaimer The sample code; software libraries; command line tools; proofs of concept; templates; or other related technology (including any of the foregoing that are provided by our personnel) is provided to you as AWS Content under the AWS Customer Agreement, or the relevant written agreement between you and AWS (whichever applies). You should not use this AWS Content in your production accounts, or on production or other critical data. You are responsible for testing, securing, and optimizing the AWS Content, such as sample code, as appropriate for production grade use based on your specific quality control practices and standards. Deploying AWS Content may incur AWS charges for creating or using AWS chargeable resources, such as running Amazon EC2 instances or using Amazon S3 storage. References to third-party services or organizations in this Guidance do not imply an endorsement, sponsorship, or affiliation between Amazon or AWS and the third party. Guidance from AWS is a technical starting point, and you can customize your integration with third-party services when you deploy the architecture. Did you find what you were looking for today? Let us know so we can improve the quality of the content on our pages Yes No Create an AWS account Learn What Is AWS? What Is Cloud Computing? What Is Agentic AI? Cloud Computing Concepts Hub AWS Cloud Security What's New Blogs Press Releases Resources Getting Started Training AWS Trust Center AWS Solutions Library Architecture Center Product and Technical FAQs Analyst Reports AWS Partners Developers Builder Center SDKs & Tools .NET on AWS Python on AWS Java on AWS PHP on AWS JavaScript on AWS Help Contact Us File a Support Ticket AWS re:Post Knowledge Center AWS Support Overview Get Expert Help AWS Accessibility Legal English Back to top Amazon is an Equal Opportunity Employer: Minority / Women / Disability / Veteran / Gender Identity / Sexual Orientation / Age. x facebook linkedin instagram twitch youtube podcasts email Privacy Site terms Cookie Preferences © 2026, Amazon Web Services, Inc. or its affiliates. All rights reserved.
2026-01-13T09:30:37
https://aws.amazon.com/tr/textract/
OCR ile Metinleri ve Verileri Akıllıca Ayıklayın - Amazon Textract - Amazon Web Services Ana İçeriğe Atla Filter: Tüm English Bize ulaşın AWS Marketplace Destek Hesabım Arama Filter: Tüm Konsolda oturum açın Hesap oluşturun Amazon Textract Genel Bakış Özellikler Fiyatlandırma Kaynaklar SSS Daha Fazla Ürünler › Makine Öğrenimi › Amazon Textract Amazon Akıllı Belge İşleme, %73 yatırım getirisi sağlar. Raporu indirmek için kısa bir form doldurun. Amazon Textract Basılı metni, el yazısını, düzen unsurlarını ve verileri istediğiniz belgeden otomatik olarak ayıklayın Amazon Textract'i kullanmaya başlayın Satış birimine başvurun Neden Amazon Textract? Amazon Textract, taranan belgelerden metin, el yazısı, düzen unsurları ve verileri otomatik olarak ayıklayan bir makine öğrenimi (ML) hizmetidir. Belgelerden belirli verileri tanımlamak, anlamak ve ayıklamak için basit optik karakter tanımanın (OCR) ötesine geçer. Günümüzde birçok şirket; PDF'ler, resimler, tablolar ve formlar gibi taranan belgelerden manuel olarak veya manuel yapılandırma gerektiren (form değiştiğinde genellikle güncellenmesi gereken) basit OCR yazılımını kullanarak veri ayıklar. Bu manuel ve pahalı süreçlerin üstesinden gelmek için Amazon Textract, her tür belgeyi okumak ve işlemek için ML kullanarak metin, el yazısı, tablo ve diğer verileri manuel çaba harcamadan doğru şekilde ayıklar. Kredi işlemeyi otomatikleştirmek veya fatura ve makbuzlardan bilgi almak için önceden eğitilmiş ya da uyarlanmış özelliklerimizden birini kullanarak belge işlemeyi hızla otomatikleştirebilirsiniz. Amazon Textract, işletmenize özgü belge işleme ihtiyaçlarını karşılamak için önceden eğitilmiş özelliklerimizi özelleştirme imkanı sunar. Amazon Textract, verileri saatler veya günler yerine dakikalar içinde ayıklayabilir. Oynat Amazon Textract'ın Avantajları Verimliliği ve karar verme sürecini yönlendirin Maliyetleri düşürürken daha yüksek iş verimliliği ve daha hızlı bir karar verme süreci temin edin. Anahtar öngörüler Neredeyse her belgeden yüksek doğrulukla temel öngörüler çıkarın. Kolayca ölçeklendirin Pazar taleplerine hızla uyum sağlamak için belge işleme hattının ölçeğini artırın veya azaltın. Veri işlemeyi otomatikleştirin Veri gizliliği, şifreleme ve mevzuata uygunluk standartlarıyla veri işlemeyi güvenli bir şekilde otomatikleştirin. Kullanım örnekleri Finansal hizmetler Kredi ve ipotek başvurularını dakikalar içinde işleme koymak için çeşitli finansal formlarda ipotek oranları, başvuru sahibi adları ve fatura toplamları gibi kritik iş verilerini doğru bir şekilde ayıklayın. Sağlık hizmetleri ve yaşam bilimleri Hasta formları, sigorta talepleri ve ön provizyon formlarından önemli hasta verilerini ayıklayarak hastalarınıza ve sigortacılarınıza daha iyi hizmet verin. Verileri düzenli ve orijinal bağlamında tutun ve çıktıyı manuel olarak gözden geçirme sürecini ortadan kaldırın. Kamu sektörü Küçük işletme kredileri, federal vergi formları ve iş uygulamaları gibi devletle ilgili formlardan ilgili verileri yüksek doğruluk derecesi ile kolayca ayıklayın. Sonraki adımlar Ücretsiz kullanım AWS Ücretsiz Kullanım'ı deneyin Ücretsiz bir hesap açmak için kaydolun Konsol Amazon Textract'i keşfedin Oluşturmaya başlayın Bir AWS Hesabı Oluşturun Öğrenin AWS Nedir? Bulut Bilgi İşlem nedir? Etken Yapay Zeka nedir? Bulut Bilgi İşlem Kavramları Merkezi AWS Bulut Güvenliği Yenilikler Bloglar Basın Bültenleri Kaynaklar Kullanmaya Başlama Eğitim AWS Güven Merkezi AWS Çözümleri Kitaplığı Mimari Merkezi Ürünler Hakkında ve Teknik SSS'ler Analist Raporları AWS Çözüm Ortakları Geliştiriciler Oluşturucu Merkezi SDK'ler ve Araçlar AWS'de .NET AWS'de Python AWS'de Java AWS'de PHP AWS'de JavaScript Yardım Bize Ulaşın Destek Sorgusu Oluşturun AWS re:Post Bilgi Merkezi AWS Destek’e Genel Bakış Uzman Yardımı Alın AWS Erişilebilirliği Hukuk English Başa dönün Amazon Fırsat Eşitliği İşverenidir: Azınlık/Kadın/Engellilik/Gazi/Cinsiyet Kimliği/Cinsel Yönelim/Yaş. x facebook linkedin instagram twitch youtube podcasts email Gizlilik Site koşulları Çerez Tercihleri © 2026, Amazon Web Services, Inc. veya bağlı kuruluşları. Tüm hakları saklıdır.
2026-01-13T09:30:37
https://github.com/apache/bifromq-sites/tree/master/docs/installation/intro.md
bifromq-sites/docs/installation/intro.md at master · apache/bifromq-sites · GitHub Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} apache / bifromq-sites Public Notifications You must be signed in to change notification settings Fork 7 Star 8 Code Issues 0 Pull requests 0 Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Security Insights Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time.
2026-01-13T09:30:37
https://aws.amazon.com/textract/#aws-page-content-main
Intelligently Extract Text & Data with OCR - Amazon Textract - Amazon Web Services Skip to main content Filter: All English Contact us AWS Marketplace Support My account Search Filter: All Sign in to console Create account Amazon Textract Overview Features Pricing Resources FAQs More Products › Machine Learning › Amazon Textract Amazon Intelligent Document Processing delivers 73% ROI. Complete a short form to download the report. Amazon Textract Automatically extract printed text, handwriting, layout elements, and data from any document Get started with Amazon Textract Contact sales Why Amazon Textract? Amazon Textract is a machine learning (ML) service that automatically extracts text, handwriting, layout elements, and data from scanned documents. It goes beyond simple optical character recognition (OCR) to identify, understand, and extract specific data from documents. Today, many companies manually extract data from scanned documents, such as PDFs, images, tables, and forms, or through simple OCR software that requires manual configuration (which often must be updated when the form changes). To overcome these manual and expensive processes, Amazon Textract uses ML to read and process any type of document, accurately extracting text, handwriting, tables, and other data with no manual effort. You can use one of our pretrained or custom features to quickly automate document processing, whether you’re automating loans processing or extracting information from invoices and receipts. Amazon Textract provides you the ability to customize our pretrained features to meet the document processing needs specific to your business. Amazon Textract can extract the data in minutes instead of hours or days. Play Benefits of Amazon Textract Drive efficiency and decision-making Drive higher business efficiency and faster decision-making while reducing costs. Key insights Extract key insights with high accuracy from virtually any document. Easily scale Scale up or scale down the document processing pipeline to quickly adapt to market demands. Automate data processing Securely automate data processing with data privacy, encryption, and compliance standards. Use cases Financial services Accurately extract critical business data such as mortgage rates, applicant names, and invoice totals across a variety of financial forms to process loan and mortgage applications in minutes. Healthcare and life sciences Better serve your patients and insurers by extracting important patient data from health intake forms, insurance claims, and pre-authorization forms. Keep data organized and in its original context, and remove manual review of output. Public sector Easily extract relevant data from government-related forms, such as small business loans, federal tax forms, and business applications, with a high degree of accuracy. Next steps Free tier Try the AWS Free Tier Sign up for a free account Console Explore Amazon Textract Start building Create an AWS account Learn What Is AWS? What Is Cloud Computing? What Is Agentic AI? Cloud Computing Concepts Hub AWS Cloud Security What's New Blogs Press Releases Resources Getting Started Training AWS Trust Center AWS Solutions Library Architecture Center Product and Technical FAQs Analyst Reports AWS Partners Developers Builder Center SDKs & Tools .NET on AWS Python on AWS Java on AWS PHP on AWS JavaScript on AWS Help Contact Us File a Support Ticket AWS re:Post Knowledge Center AWS Support Overview Get Expert Help AWS Accessibility Legal English Back to top Amazon is an Equal Opportunity Employer: Minority / Women / Disability / Veteran / Gender Identity / Sexual Orientation / Age. x facebook linkedin instagram twitch youtube podcasts email Privacy Site terms Cookie Preferences © 2026, Amazon Web Services, Inc. or its affiliates. All rights reserved.
2026-01-13T09:30:37
https://pastebin.com/doc_scraping_api
Pastebin.com - Scraping API Pastebin API tools faq paste Login Sign up Scraping API You can scrape our website, but your IP will most likely get blocked to prevent unnecessary load on our servers. We therefore offer this scraping API service for people who want to scrape our platform without getting blocked. This is the Pastebin scraping API documentation page. Here you can find all the information you need to get started with our scraping API. If you have questions, feel free to contact us . 1. Your Whitelisted IP 2. Request Limits 3. Recommended Scraping Logic 4. Request Most Recent Pastes 5. Request RAW Paste Data 6. Request Paste Metadata Your Account & Whitelisted IP Our Scraping API is only available for "PRO" members, and only for those who have their IP whitelisted. “PRO” accounts are enabled with Scraping API and to collect only records with syntax highlighting. Enterprise API offers more robust access, including the removal of this limitation and for commercial purposes with additional features. Please contact [email protected] for more information. IMPORTANT: TO WHITELIST YOUR IP, YOU NEED TO BE A PRO MEMBER! UPGRADE TO A PRO ACCOUNT , THEN YOU CAN WHITELIST YOUR IP ON THIS PAGE! Your account status is: NOT LOGGED IN Your whitelisted IP is: NOT SET Your current IP is: 1.208.108.242 Only 1 IP can be whitelisted per Pastebin PRO account. You can update your IP as often as you like, and changes are effective within a minute. Both IPv4 and IPv6 IP's are accepted. It depends on your network configuration which one you have to whitelist. Important: Please make sure you ONLY fetch the scraping API endpoints listed on this page. If you scrape our website (including /raw/* pages) with your whitelisted IP, you will get blocked. Request Limits Your whitelisted IP should not run into any issues as long as you don't abuse our service. We recommend not making more than 1 request per second, as there really is no need to do so. Going over 1 request per second won't get you blocked, but if we see excessive unnecessary scraping, we might take action. Recommended Scraping Logic If you are trying to read ALL new public pastes, we recommend that you list 1x per minute the 100 most recent pastes. Store all those ID's/Keys locally somewhere, then fetch all those pastes and process the information however you like. We urge you not to re-fetch pastes unnecessarily, as the data doesn't change quickly. Having some kind of local database system, which prevents unnecessary re-fetches is highly recommended! It lowers the load on both your own and our servers. Request Most Recent Pastes Due to caching, items listed here are shown with a 2 minute delay. To fetch the most recent pastes, query the link below. It's a pretty standard JSON output. You can limit the results by adding ?limit=10 for example. The max allowed value there is 250 . Default is 50 . You can only reach this link with your whitelisted IP! https://scrape.pastebin.com/api_scraping.php Below is an example output: [ { "scrape_url": "https://scrape.pastebin.com/api_scrape_item.php?i=0CeaNm8Y", "full_url": "https://pastebin.com/0CeaNm8Y", "date": "1442911802", "key": "0CeaNm8Y", "size": "890", "expire": "1442998159", "title": "Once we all know when we goto function", "syntax": "java", "user": "admin" }, { "scrape_url": "https://scrape.pastebin.com/api_scrape_item.php?i=8sUIsf34", "full_url": "https://pastebin.com/8sUIsf34", "date": "1442911665", "key": "8sUIsf34", "size": "250", "expire": "0", "title": "master / development delete restriction", "syntax": "php", "user": "" } ] You can also add ?lang=php for example, if you just want to grab results from a certain language. We support well over 200 languages. Click here to find all the supported languages. Always include the value on the left hand side of that list to query it. Request RAW Paste Data To fetch the RAW data of any paste, you can query the URL below. Replace UNIQUE_PASTE_KEY with the key of the paste that you want to fetch. You can only reach this link with your whitelisted IP! Do not scrape /raw/* pages, as you will get blocked. https://scrape.pastebin.com/api_scrape_item.php?i=UNIQUE_PASTE_KEY Request Paste Metadata To fetch the metadata of any paste, you can query the URL below. Replace UNIQUE_PASTE_KEY with the key of the paste that you want to fetch. You can only reach this link with your whitelisted IP! https://scrape.pastebin.com/api_scrape_item_meta.php?i=UNIQUE_PASTE_KEY Public Pastes Untitled 8 min ago | 0.94 KB Untitled 18 min ago | 0.94 KB Untitled 29 min ago | 0.94 KB Untitled 39 min ago | 0.94 KB Untitled 49 min ago | 0.94 KB Untitled 59 min ago | 0.94 KB Untitled 1 hour ago | 10.19 KB Untitled 3 hours ago | 13.48 KB create new paste  /  syntax languages  /  archive  /  faq  /  tools  /  night mode  /  api  /  scraping api  /  news  /  pro privacy statement  /  cookies policy  /  terms of service  /  security disclosure  /  dmca  /  report abuse  /  contact By using Pastebin.com you agree to our cookies policy to enhance your experience. Site design & logo © 2026 Pastebin We use cookies for various purposes including analytics. By continuing to use Pastebin, you agree to our use of cookies as described in the Cookies Policy .   OK, I Understand Not a member of Pastebin yet? Sign Up , it unlocks many cool features!  
2026-01-13T09:30:37
https://www.hcaptcha.com/hcaptcha-resources-bots-101.html
hCaptcha Resources: Bots 101 Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In hCaptcha Resources: Bots 101 ‍ Credential Stuffing: What It Is And How to Stop the Attacks Payment Fraud: Mitigating a Fast-Evolving Mode of Cybercrime What are Account Takeovers And How Do They Work? What is Scraping And How Does It Work? Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://hcaptcha.com/trademarks.html
hCaptcha Trademarks and Logo Policy Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Browser Agent Safety is an Afterthought for Vendors → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In hCaptcha Branding Guidelines and General Trademark License Guidelines on using the hCaptcha mark We have created these guidelines and general trademark license to make it as easy as possible for our customers, partners, and fans to work with our brand while still preserving our corporate identity. If you need to use hCaptcha icons, logos, or other marks in ways that materially differ from these guidelines, you will need to contact us (IMI) for a written license. While you may use hCaptcha marks per these guidelines, it does not mean that you have any vested rights in hCaptcha Marks, logos, or in any other trademark, trade name, service mark, business name or goodwill of hCaptcha. We want to grant as much flexibility as possible, but we're obligated to protect hCaptcha against unauthorized use of any trademark, trade name, service mark, business name or goodwill of hCaptcha. Any unauthorized use automatically terminates the permission or license granted by hCaptcha and may incur legal liabilities for any damages. Thus, we must ask that you always use all hCaptcha marks and logos in a form that adheres to the rules below, including capitalization, typeface, and style. Thanks for your support! hCaptcha® in text Here’s how to use our name in written copy: hCaptcha® should have a registered trademark symbol the first time it appears in a creative copy. hCaptcha spelling should never be changed and hCaptcha should always be capitalized in the second letter ("C"). It is never plural or possessive. "hCaptcha" should not be used as part of a brand name, joined with a hyphen, or used in names of applications or other products. Instead use "for hCaptcha".If used with a third party logo, "for hCaptcha" needs to be smaller in size than the third party logo. hCaptcha should be used as an adjective and followed by a proper generic term. ‍ hCaptcha should never be used as a verb. ‍ Don't use: "we hCaptcha'd our site." Instead use: "we use hCaptcha to make our site safer and more secure." Any use of the hCaptcha name in communications requires the attribution: "hCaptcha is a registered trademark of Intuition Machines, Inc." Unacceptable Uses Only accurate references are acceptable. It is not permissible to say that a site uses hCaptcha services and applications when it does not. Similarly, the use of our logo or any badges is likewise only appropriate when the site uses hCaptcha services. ‍ hCaptcha trademarks, graphic symbols, logos, typeface, or icons may also not be used in a disparaging manner. You may not use any hCaptcha trademark or logo which would imply that hCaptcha has an affiliation with or endorsement, sponsorship, or support of a third party product or service, without express written permission. ‍ Under no circumstances shall an identical or nearly identical hCaptcha trademark be used as a domain name. Third parties should not use variations or misspellings or act in any way that would cause any initial interest confusion over hCaptcha trademarks. ‍ Other than Partners or Authorized Resellers, third parties may not bid for keywords, Google AdWords, or other targeted advertising systems using hCaptcha marks or misspellings. Nor may third parties use hCaptcha marks in domain names, any search engine optimization, meta tags, search terms, code, or other misrepresentation. Other Restricted Marks Some of our logos and marks are restricted to being used by hCaptcha and its partners. Third parties may not use the following marks without a written license from hCaptcha: hCaptcha® hCaptcha Partner™ hCaptcha Authorized Reseller™ hCaptcha Enterprise™ BotStop™ BotStop by hCaptcha™ hCaptcha logo™ BotStop logo™ Help Build a Better Web™ I am human™ (in the context of a humanity verification solution, e.g. a call to action) Marks Used by Permission Some of the logos and marks used by hCaptcha and its partners are owned by third parties and may be used only with their permission. Third parties may not use the following marks except as permitted by their owners: HUMAN Protocol® is a registered trademark of the HUMAN Protocol Foundation, and is used with its permission. HUMAN Token® is a registered trademark of the HUMAN Protocol Foundation, and is used with its permission. HUMAN Network™ is a trademark of the HUMAN Protocol Foundation, and is used with its permission. Other Marks All other product names, logos, and brands are property of their respective owners. All other company, product and service names used in this website are for identification purposes only. Use of these names, logos, and brands does not imply endorsement. Logo Policy Our logo is instantly recognizable and one of our most valuable and important assets. To ensure that it remains a strong representation of our company, it must be presented in a careful and consistent manner across all channels of communication. The hCaptcha logo is comprised of the hand icon and the hCaptcha logotype. In its alternate form, the hand icon may appear by itself when space is constrained and "hCaptcha" is used as a word mark (as described above) in close proximity to the hand icon, such that it is clear the hand icon represents hCaptcha. ‍ The hCaptcha hand icon: ‍ The hCaptcha logo: Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Support Contact Support Sales Contact Sales Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
http://www.videolan.org/news.html#news-2023-05-03
News - VideoLAN * { behavior: url("/style/box-sizing.htc"); } Toggle navigation VideoLAN Team & Organization Consulting Services & Partners Events Legal Press center Contact us VLC Download Features Customize Get Goodies Projects DVBlast x264 x262 x265 multicat dav1d VLC Skin Editor VLC media player libVLC libdvdcss libdvdnav libdvdread libbluray libdvbpsi libaacs libdvbcsa biTStream vlc-unity All Projects Contribute Getting started Donate Report a bug Support donate donate Donate donate donate VideoLAN, a project and a non-profit organization. News archive VLC 3.0.23 2026-01-08 VideoLAN and the VLC team are publishing the 3.0.23 release of VLC today, which is the 24th update to VLC's 3.0 branch: it updates codecs, adds a dark mode option on Windows and Linux, support for Windows ARM64 and improves support for Windows XP SP3. This is the largest bug fix release ever with a large number of stability and security improvements to demuxers (reported by rub.de, oss-fuzz and others) and updates to most third party libraries. Additional details on the release page . The security impact of this release is detailed here . The major maintenance effort of this release to strengthen VLC's overall stability as well as the compatibility with old releases of Windows and macOS was made possible by a generous sponsorship of the Sovereign Tech Fund by Germany's Federal Ministry for Digital Transformation and Government Modernisation. VLC for iOS, iPadOS and tvOS 3.7.0 2026-01-08 Alongside the 3.0.23 release for desktop, VideoLAN and the VLC team are publishing a larger update for Apple's mobile platforms to include the latest improvements of VLC's 3.0 branch plus important bug fixes and amendments for the 26 versions of the OS. Previously, we added pCloud as a European choice for cloud storage allowing direct streaming and downloads within the app. New releases for biTStream, DVBlast and multicat 2025-12-01 We are pleased to release versions 1.6 of biTStream , 3.5 of DVBlast and 2.4 of multicat . DVBlast and multicat had major improvements and new features. New releases for libdvdcss, libdvdread and libdvdnav 2025-11-09 New releases of libdvdread , libdvdnav and libdvdcss have been published today. The biggest features of those releases (libdvdread/nav 7 and libdvdcss 1.5) are related to DVD-Audio support, including DRM decryption. VLC for Android 3.6.0 2025-01-13 We are pleased to release version 3.6.0 of the VLC version for the Android platform. It comes with the new Remote Access feature, a parental control and a lot of fixes. See our Android page . VLC 3.0.21 2024-06-10 VideoLAN and the VLC team are publishing the 3.0.21 release of VLC today, which is the 22nd update to VLC's 3.0 branch: it updates codecs, adds Super Resolution and VQ Enhancement filtering with AMD GPUs, NVIDIA TrueHDR to generate a HDR representation from SDR sources with NVIDIA GPUs and improves playback of numerous formats including improved subtitles rendering notably on macOS with Asian languages. Additional details on the release page . This release also fixes a security issue, which is detailed here . VLC for iOS, iPadOS and Apple TV 3.5.0 2024-02-16 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding playback history, A to B playback, Siri integration, support for external subtitles and audio tracks, a way to favorite folders on local network servers, improved CarPlay integration and many small improvements. VLC 3.0.20 2023-11-02 Today, VideoLAN is publishing the 3.0.20 release of VLC, which is a medium update to VLC's 3.0 branch: it updates codecs, fixes a FLAC quality issue and improves playback of numerous formats including improved subtitles rendering. It also fixes a freeze when using frame-by-frame actions. On macOS, audio layout problems are resolved. Finally, we update the user interface translations and add support for more. Additional details on the release page . This release also fixes two security issues, which are detailed here and there . VLC for iOS, iPadOS and Apple TV 3.4.0 2023-05-03 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new audio playback interface, CarPlay integration, various improvements to the local media library and iterations to existing features such as WiFi Sharing. Notably, we also added maintenance improvements to the port to tvOS including support for the Apple Remote's single click mode. See the press release for details. VLC 3.0.18 2022-11-29 Today, VideoLAN is publishing the 3.0.18 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . This release also fixes multiple security issues, which are detailed here . VideoLAN supports the UNHCR 2022-10-24 VideoLAN is a de-facto pacifist organization and cares about cross-countries cooperations, and believes in the power of knowledge and sharing. War goes against those ideals. As a response Russia's invasion of Ukraine, we decided to financially support the United Nations High Commissioner for Refugees and their work on aiding and protecting forcibly displaced people and communities, in the places where they are necessary. See our press statement . VLC for Android 3.5.0 2022-07-20 VideoLAN is proud to release the new major version of VLC for Android. It comes with new widgets, network media indexation, a better tablet and foldable support, design improvements in the audio screen, improved accessibility and performance improvements. VLC 3.0.17 2022-04-19 Today, VideoLAN is publishing the 3.0.17 release of VLC, which adds support for a few formats, improves adaptive streaming support, fixes some crashes and updates many third party libraries. More details on the release page . VLC for iOS, iPadOS and tvOS 3.3.0 2022-03-21 We are happy to announce a major update of VLC for iOS, iPadOS and tvOS adding a new video playback interface, support for NFS and SFTP network shares and major improvements to the media handling especially for audio. See the press release . libbluray releases 2022-03-06 libbluray and related libraries, libaacs and libbdplus, have new releases, focused on maintenance, minor improvements, and notably new OSes and new java versions compatibility. See libbluray , libaacs and libbdplus pages. VLC and log4j 2021-12-15 Since its very early days in 1996, VideoLAN software is written in programming languages of the C family (mostly plain C with additions in C++ and Objective-C) with the notable exception of its port to Android, which was started in Java and recently transitioned to Kotlin. VLC does not use the log4j library on any platform and is therefore unaffected by any related security implications. VLC for Android 3.4.0 2021-09-20 We are pleased to release version 3.4.0 of the VLC version for the Android platforms. Still based on libVLC 3, it revamps the Audio Player and the Auto support, it adds bookmarks in each media, simplifies the permissions and improves video grouping. See our Android page . VLC 3.0.16 2021-06-21 Today, VideoLAN is publishing the 3.0.16 release of VLC, which fixes delays when seeking on Windows, opening DVD folders with non-ASCII character names, fixes HTTPS support on Windows XP, addresses audio drop-outs on seek with specific MP4 content and improves subtitles renderering. It also adds support for the TouchBar on macOS. More details on the release page . VLC 3.0.14, auto update issues and explanations 2021-05-11 VLC users on Windows might encounter issues when trying to auto update VLC from version 3.0.12 and 3.0.13. Find more details here . We are publishing version 3.0.14 to address this problem for future updates. VLC 3.0.13 2021-05-10 VideoLAN is now publishing 3.0.13 release, which improves the network shares and adaptive streaming support, fixes some MP4 audio regressions, fixes some crashes on Windows and macOS and fixes security issues. More details on the release page . libbluray 1.3.0 2021-04-05 A new release of libbluray was pushed today, adding new APIs, to improve the control of the library, improve platforms support, and fix some bugs. See our libbluray page. VideoLAN is 20 years old today! 2021-02-01 20 years ago today, VideoLAN moved from a closed-source student project to the GNU GPL, thanks to the authorization of the École Centrale Paris director at that time. VLC has grown a lot since, thanks to 1000 volunteers! Read our press release! . VLC for Android 3.3.4 2021-01-21 VideoLAN is now publishing the VLC for Android 3.3.4 release which focuses on improving the Chromecast support. Since the 3.3.0 release, a lot of improvements have been made for Android TV, SMB support, RTL support, subtitles picking and stability. . VLC 3.0.12 2021-01-18 VideoLAN is now publishing 3.0.12 release, which adds support for Apple Silicon, improves Bluray, DASH and RIST support. It fixes some audio issues on macOS, some crashes on Windows and fixes security issues. More details on the release page . libbluray 1.2.1 2020-10-23 A minor release of libbluray was pushed today, focused on fixing bugs and improving the support for UHD Blurays. More details on the libbluray page. VLC for Android 3.3 2020-09-23 VideoLAN is proud to release the new major version of VLC for Android. A complete design rework has been done. The navigation is now at the bottom for a better experience. The Video player has also been completely revamped for a more modern look. The video grouping has been improved and lets you create custom groups. You can also easily share your media with your friends. The settings have been simplified and a lot of bugs have been fixed. VLC 3.0.11.1 2020-07-29 Today, VideoLAN is publishing the VLC 3.0.11.1 release for macOS, which notably solves an audio rendering regression introduced in the last update specific to that platform. Additionally, it improves playback of HLS streams, WebVTT subtitles and UPnP discovery. VLC 3.0.11 2020-06-16 VideoLAN is now publishing the VLC 3.0.11 release, which improves HLS playback and seeking certain m4a files as well as AAC playback. Additionally, this solves an audio rendering regression on macOS when pausing playback and adds further bug fixes. Additionally, a security issue was resolved. More information available on the release page . VLC 3.0.10 2020-04-28 VideoLAN is now publishing the VLC 3.0.10 release, which improves DVD, macOS Catalina, adaptive streaming, SMB and AV1 support, and fixes some important security issues. More information available on the release page . We are also releasing new versions for iOS (3.2.8) and Android 3.2.11 for the same security issues. VLC for iOS and tvOS releases 2020-03-31 VideoLAN is publishing updates to VLC on iOS and tvOS, to fix numerous small issues, add passcode protection on the web sharing, and improve the quick actions and the stability of the application. VLC for iOS 3.2.5 release 2019-12-03 VideoLAN is publishing updates to VLC on iOS, to improve support for iOS9 compatibility and add new quick actions and improves the collection handling. libdvdread and libdvdnav releases 2019-10-13 We are publishing today libdvdnav and libdvdread minor releases to fix minor crashes and improving the support for difficult discs. See libdvread page for more information . VLC for iOS 3.2.0 release 2019-09-14 VideoLAN is finally publishing its new major version of iOS, numbered 3.2.0. This update starts the changes for the new interface that will drive the development for the next year. It should give the correct building blocks for the future of the iOS app. VLC 3.0.8 2019-08-19 VideoLAN is now publishing the VLC 3.0.8 release, which improves adaptive streaming support, audio output on macOS, VTT subtitles rendering, and also fixes a dozen of security issues. More information available on the release page . VLC 3.0.7 2019-06-07 After 100 millions downloads of 3.0.6, VideoLAN is releasing today the VLC 3.0.7 release, focusing on numerous security fixes, improving HDR support on Windows, and Blu-ray menu support. VideoLAN would like to thank the EU-FOSSA project from the European Commission, who funded this initiative. More information available on the release page . VLC for Android 3.1 2019-04-08 VideoLAN is happy to present the new major version of VLC for Android platforms. Featuring AV1 decoding with dav1d, Android Auto, Launcher Shortcuts, Oreo/Pie integration, Video Groups, SMBv2, and OTG drive support, but also improvements on Cast, Chromebooks and managing the audio/video libraries, this is a quite large update. libbluray 1.1.0 2019-02-12 VideoLAN is releasing a new major version of libbluray: 1.1.0. It adds support for UHD menus (experimental) , for more recents of Java, and improves vastly BD-J menus. This release fixes numerous small issues reported. libdvdread 6.0.1 2019-02-05 VideoLAN is releasing a new minor version of libdvdread, numbered 6.0.1, fixing minor DVD issues. See libdvdread page for more info. VLC reaches 3 billion downloads 2019-01-12 VideoLAN is very happy to announce that VLC crossed the 3 billion downloads on our website: VLC statistics . Please note that this number is under-estimating the number of downloads of VLC. VLC 3.0.6 2019-01-10 VideoLAN is now publishing the VLC 3.0.6 release, which fixes an important regression that appeared on 3.0.5 for DVD subtitles. It also adds support for HDR in AV1. VLC 3.0.5 2018-12-27 VideoLAN is now publishing the VLC 3.0.5 release, a new minor release of the 3.0 branch. This release notably improves the macOS mojave support, adds a new AV1 decoder and fixes numerous issues with hardware acceleration on Windows. More information available here . VLC 3.0.4 2018-08-31 VideoLAN is publishing the VLC 3.0.4 release, a new minor release of the 3.0 branch. This release notably improves the video outputs on most OSes, supports AV1 codec, and fixes numerous small issues on all OSes and Platforms. More information available here . Update for all Windows versions is strongly advised. VLC 3.0.13 for Android 2018-07-31 VideoLAN is publishing today, VLC 3.0.13 on Android and Android TV. This release fixes numerous issues from the 3.0.x branch and improves stability. VLC 3.1.0 for WinRT and iOS 2018-07-20 VideoLAN is publishing today, VLC 3.1.0 on iOS and on Windows App (WinRT) platforms. This release brings hardware encoding and ChromeCast on those 2 mobile platforms. It also updates the libvlc to 3.0.3 in those platforms. VLC 3.0.3 2018-05-29 VideoLAN is publishing the VLC 3.0.3 release, a new minor release of 3.0. This release is fixing numerous crashes and regressions from VLC 3.0.0, "Vetinari", and it fixes some security issues. More information available here . Update for everyone is advised for this release. VLC 3.0.2 2018-04-23 VideoLAN is publishing the VLC 3.0.2 release, for general availability. This release is fixing most of the important bugs and regressions from VLC 3.0.0, "Vetinari", and improves decoding speed on macOS. More than 150 bugs were fixed since the 3.0.0 release. More information available here . VLC 3.0.1 2018-02-28 VideoLAN and the VLC development team are releasing VLC 3.0.1, the first bugfix release of the "Vetinari" branch, for Linux, Windows and macOS. This version improves the chromecast support, hardware decoding, adaptive streaming, and fixes many bugs or crashes encountered in the 3.0.0 version. In total more than 30 issues have been fixed, on all platforms. More information available here . VLC 3.0.0 2018-02-09 VideoLAN and the VLC development team are releasing VLC 3.0.0 "Vetinari" for Linux, Windows, OS X, BSD, Android, iOS, UWP and Windows Phone today! This is the first major release in three years. It activates hardware decoding by default to get 4K and 8K playback, supports 10bits and HDR playback, 360° video and 3D audio, audio passthrough for HD audio codecs, streaming to Chromecast devices (even in formats not supported natively), playback of Blu-Ray Java menus and adds browsing of local network drives. More info on our release page . VLC 2.2.8 2017-12-05 VideoLAN and the VLC development team are happy to publish version 2.2.8 of VLC media player today. This release fixes a security issue in the AVI demuxer. Additionally, it includes the following fixes, which are part of 2.2.7: This release fixes compatibility with macOS High Sierra and fixes SSA subtitles rendering on macOS. This release also fixes a few security issues, in the flac and the libavcodec modules (heap write overflow), in the avi module and a few crashes. For macOS users, please note: A bug was fixed in VLC 2.2.7 concerning the update mechanism on macOS. In rare circumstances, an auto-update from older versions of VLC to VLC 2.2.8 might not be possible. Please download the update manually from our website in this case. VideoLAN joins the Alliance for Open Media 2017-05-16 The VideoLAN non-profit organization is joining the Alliance for Open Media , to help developing open and royalty-free codecs and other video technologies! More information in our press release: VideoLAN joins Alliance for Open Media . VLC 2.2.5.1 2017-05-12 VideoLAN and the VLC development team are happy to publish version 2.2.5.1 of VLC media player today This fifth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.4, notably video rendering issues on AMD graphics card as well as audio distortion on macOS and 64bit Windows for certain audio files. It also includes updated codecs libraries and improves overall security. Read more about it on our release page . Press release: Wikileaks revelations about VLC 2017-03-09 Following the recent revelations from Wikileaks about the use of VLC by the CIA, you can download the official statement from the VideoLAN organization here . VLC for Android 2.1 beta 2017-02-24 VideoLAN and the VLC development team are happy to publish beta version 2.1 of VLC for Android today It brings 360° video & faster audio codecs passthru support, performances improvements, Android auto integration and a refreshed UX. See all new features and get it VLC for Android 2.0.0 2016-06-21 VideoLAN and the VLC development team are happy to publish version 2.0 of VLC for Android today It supports network shares browsing and playback, video playlists, downloading subtitles, pop-up video view and multiwindows, the new releases of the Android operating system, and merged Android TV and Android packages. Get it now! and give us your feedback. VLC 2.2.4 2016-06-05 VideoLAN and the VLC development team are happy to publish version 2.2.4 of VLC media player today This fourth stable release of the "WeatherWax" version of VLC fixes a few bugs reported on VLC 2.2.3 for Windows XP and certain audio files. It also includes updated codecs libraries and fixes a security issue when playing specifically crafted QuickTime files as well as a 3rd party security issue in libmad. Read more about it on our release page . VideoLAN servers under maintenance 2016-05-19 Due to unscheduled maintenance on one of our servers, some git repositories , the trac bug tracker and mailing-lists are currently not available. We are restoring the services, but we can't give detailed information when everything will be back online. Note that downloads from this website, git repositories on code.videolan.org , the wiki and the forum are not affected. Important: Any communication send to email addresses on the videolan.org domain (aka yourdude@videolan.org) won't reach the receiver. VLC 2.2.3 2016-05-03 VideoLAN and the VLC development team are happy to publish version 2.2.3 of VLC media player today This third stable release of the "WeatherWax" version of VLC fixes more than 30 important bugs reported on VLC 2.2.2. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Read more about it on our release page . VideoLAN Dev Days 2016 part of QtCon 2016-02-18 2016 is a special year for many FLOSS projects: VideoLAN as open-source project and Free Software Foundation Europe both have their 15th birthday while KDE has its 20th birthday. All these call for celebrations! This year VideoLAN has come together with Qt , FSFE , KDE and KDAB to bring you QtCon , where attendees can meet, collaborate and get the latest news of all these projects. VideoLAN Dev Days 2016 will be organised as part of QtCon in Berlin. The event will start on Friday the 2nd of September with 3 shared days of talks, workshops, meetups and coding sessions. The current plan is to have a Call for Papers in March with the Program announced in early June. VLC 2.2.2 2016-02-06 VideoLAN and the VLC development team are happy to publish version 2.2.2 of VLC media player today This second stable release of the "WeatherWax" version of VLC fixes more than 100 important bugs and security issues reported on VLC 2.2.1. It also includes updated codecs libraries and fixes 3rd party libraries security issues. Finally, this update solves installation issues on Mac OS X 10.11 El Capitan. Read more about it on our release page . 15 years of GPL 2016-02-01 VideoLAN is happy to celebrate with you the 15th anniversary of the birth of VideoLAN and VLC as open source projects! Announcing VLC for Apple TV 2016-01-12 VideoLAN and the VLC team is excited to announce the first release of VLC for Apple TV. It allows you to get access to all your files and video streams in their native formats without conversions, directly on the new Apple device and your TV. You can find details in our press release . libdvdcss 1.4.0 2015-12-24 VideoLAN is proud to announce the release of version 1.4.0 of libdvdcss . This release adds support for network callbacks, to play ISOs over the network, Android support, and cleans the codebase. VLC for iOS 2.7.0 2015-12-22 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds full support for iOS 9 including split screen and iPad Pro, for Windows shares (SMB), watchOS 2, a new subtitles engine, right-to-left interfaces, system-wide search (spotlight), Touch ID protection, and more. It will be available on the App Store shortly. VLC for ChromeOS 2015-12-17 VideoLAN and the Android teams are happy to announce the port of VLC to the ChromeOS operating system. This is the port of the Android version to ChromeOS, using the Android Runtime on Chrome. You can download it now! . VLC for Android 1.7.0 2015-12-01 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.7.0. This release includes a large refactoring that gives a new playlist, new notifications, a new subtitles engine, and uses less permissions. Get it now! . VLC for Android 1.6.0 2015-10-09 VideoLAN and the Android teams are happy to present the release of VLC for Android 1.6.0. Ported to Android 6.0, this release should provide an important performance boost for decoding and the interface. Get it now! . DVBlast 3.0, multicat 2.1, bitstream 1.1 2015-10-07 VideoLAN and the DVBlast teams are happy to present the simultaneous release of DVBlast 3.0, bitstream 1.1 and multicat 2.1! DVBlast and multicat are now ported to OSX and DVBlast 3.0 is a major rewrite with new features like PID/SID remapping and stream monitoring. DVBlast , bitstream and multicat . libbluray 0.9.0 2015-10-04 VideoLAN and the libbluray team are releasing today libbluray 0.9.0. Adding numerous features, notably to better support BD-J menus and embedded subtitles files, it also fixes a few important issues, like font-caching. See more on libbluray page VLC for iOS 2.6.0 2015-06-30 VideoLAN and the VLC development team are excited to announce a major version of VLC for iOS today, which adds support for Apple Watch to remote control and browse the library on iPhone, a mini player and large number of improvements through-out the app. It will be available on the App Store shortly. libbluray 0.8.0, libaacs 0.8.1 released 2015-04-30 The 2 VideoLAN Blu-Ray libraries have been released: libbluray 0.8.0 , libaacs 0.8.1 . These releases add support for ISO files, BD-J JSM and virtual devices. VLC 2.2.1 2015-04-16 VideoLAN and the VLC development team are releasing today VLC 2.2.1, named "Terry Pratchett". This first stable release of the "WeatherWax" version of VLC fixes most of the important bugs reported of VLC 2.2.0. VLC 2.2.0, a major version of VLC, introduced accelerated auto-rotation of videos, 0-copy hardware acceleration, support for UHD codecs, playback resume, integrated extensions and more than 1000 bugs and improvements. 2.2.0 release was the first release to have versions for all operating systems, including mobiles (iOS, Android, WinRT). More info on our release page VLC for Android 1.2.1, for WinRT & Windows Phone 1.2.1 and for iOS 2.5.0 2015-03-27 VideoLAN and the VLC development team are happy to release updates for all three mobile platforms today. VLC for Android received support for audio playlists, improved audio quality, improvements to the material design interface, including the black theme and switch to audio mode. Further, it is a major update for Android TV adding support for media discovery via UPnP, with improvements for recommendations and gamepads. VLC for Windows Phone and WinRT received partial hardware accelerated decoding allowing playback of HD contents of certain formats as well as further iterations on the user interface. For VLC for iOS, we focused on improved cloud integration adding support for iCloud Drive, OneDrive and Box.com, a 10-band equalizer as well as sharing of the media library on the local network alongside an improved playback experience. All updates will be available on the respective stores later today. We hope that you like them as much as we do. VLC 2.2.0 2015-02-27 VideoLAN and the VLC development team are releasing VLC 2.2.0 for most OSes. We're releasing the desktop version for Linux, Windows, OS X, BSD, and at the same time, Android, iOS, Windows RT and Windows Phone versions. More info on our release page and press release . libbluray 0.7.0, libaacs 0.8.0 and libbdplus 0.1.2 released 2015-01-27 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.7.0 , libaacs 0.8.0 and libbdplus 0.1.2 library. Those releases notably improves BD-J support, fonts support and file-system access. VLC for Android 0.9.9 2014-09-05 VideoLAN and the VLC development team are happy to present a new release for Android. This focuses on fixing crashes, better decoding and update of translations. More info in the release notes and download page . VLC 2.1.5 2014-07-26 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. This fixes a few bugs and security issues in third-party libraries, like GnuTLS and libpng. More info on our release page libbluray, libaacs and libbdplus release 2014-07-13 The 3 VideoLAN Blu-Ray libraries have been released: libbluray 0.6.0 , libaacs 0.7.1 and libbdplus 0.1.1 library. Those releases notably add correct support for BD-J , the Java interactivity layer of Blu-Ray Discs. VLC for Android 0.9.7 2014-07-06 VideoLAN and the VLC development team are happy to present a new release for Android today. It improves a lot DVD menus and navigation, adds compatibility with Android L, fixes a few UI crashes and updates the translations. More info in the release notes . VLC for Android 0.9.5 2014-06-13 VideoLAN and the VLC development team are happy to present a new release for Android today. It adds support for DVD menus, a new VLC icon, tutorials and numerous fixes for crashes. More info in the release notes . VLC for iOS 2.3.0 2014-04-18 VideoLAN and the VLC development team are happy to present a new release for iOS today. It adds support for folders to group media, more options to customize playback, improved network interaction in various regards, many small but noticeable improvements as well as 3 new translations. More info in the release notes . VideoLAN announces distributed codec and conecoins! 2014-04-01 VideoLAN and the VLC development team are happy to present their new distributed codec, named CloudCodet ! To help smartphones users, this codec allows powerful computers to decode for other devices and the CPU-sharers will mine some conecoin , a new cone-shaped crypto-currency, in reward. More info on our press page VLC 2.1.4 and 2.0.10 2014-02-21 VideoLAN and the VLC development team are happy to present two updates for Mac OS X today. Version 2.1.4 solves an important DVD playback regression, while 2.0.10 accumulates a number of small improvements and bugfixes for older Macs based on PowerPC or 32-bit Intel CPUs running OS X 10.5. VLC 2.1.3 2014-02-04 VideoLAN and the VLC development team are happy to present a new minor version of the VLC 2.1.x branch. Fixing multiple bugs and regressions introduced in 2.1.0, 2.1.1 and 2.1.2, notably on audio and video outputs, decoders and demuxers More info on our release page libbluray, libaacs and libbdplus release 2013-12-24 Several Blu-Ray related libraries have been released: libbluray 0.5.0 , libaacs 0.7.0 and the new libbdplus library. VLC 2.1.2 2013-12-10 VideoLAN and the VLC development team are proud to present the second minor version of the VLC 2.1.x branch. Fixing many bugs and regressions introduced in 2.1.0, notably on audio device management and SPDIF/HDMI pass-thru. More info on our release page VLC 2.1.1 2013-11-14 VideoLAN and the VLC development team are proud to present the first minor version of the VLC 2.1.x branch. Fixing a numerous number of bugs and regressions introduced in 2.1.0, it also adds experimental HEVC and VP9 decoding and improves VLC installer on Windows. More info on our release page VLC 2.0.9 2013-11-05 VideoLAN and the VLC development team are glad to present a new minor version of the VLC 2.0.x branch. Mostly focused on fixing a few important bugs and security issues, this version is mostly needed for Mac OS X, notably for PowerPC and Intel32 platforms that cannot upgrade to 2.1.0. VLC 2.1.0 2013-09-26 VideoLAN and the VLC development team are glad to present the new major version of VLC, 2.1.0, named Rincewind With a new audio core, hardware decoding and encoding, port to mobile platforms, preparation for Ultra-HD video and a special care to support more formats, 2.1 is a major upgrade for VLC. Rincewind has a new rendering pipeline for audio, with better effiency, volume and device management, to improve VLC audio support. It supports many new devices inputs, formats, metadata and improves most of the current ones, preparing for the next-gen codecs. More info on our release page . VLC for iOS version 2.1 2013-09-06 VideoLAN and the VLC for iOS development team are happy to present version 2.1 of VLC for iOS, a first major update to this new port adding support for subtitles in non-western languages, basic UPNP discovery and streaming, FTP server discovery, streaming and downloading, playback of audio-only media, a newly implemented menu and application flow as well as various stability improvements, minor enhancements and additional translations. VLC 2.0.8 and 2.1.0-pre2 2013-07-29 VideoLAN and the VLC development team are happy to present VLC 2.0.8, a security update to the "Twoflower" family, and VLC 2.1.0-pre2, the second pre-version of VLC 2.1.0. You can find info about 2.0.8 in the release notes . VLC 2.1.0-pre2 is a test version of the next major version of VLC, named "Rincewind", intended for advanced users. If you're brave, you can try it now! NB: The first binaries of 2.0.8 for Win32 and Mac were broken. Please re-download them. VLC 2.0.7 2013-06-10 VideoLAN and the VLC development team are happy to present the eighth version of "Twoflower", a minor update that improves the overall stability. Notable changes include fixes for audio decoding, audio encoding, small security issues, regressions, fixes for PowerPC, Mac OS X and new translations. More info in the release notes . VLC 2.0.6 2013-04-11 VideoLAN and the VLC development team are happy to present the seventh version of "Twoflower", a minor update that improves the overall stability. Notable changes include support for Matroska v4, improved reliability for ASF, Ogg, ASF and srt support, fixed GPU decoding on Windows on Intel GPU, fixed ALAC and FLAC decoding, and a new compiler for Windows release. More info in the release notes . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VLC fundraiser for Windows 8, RT and Phone ended 2012-12-29 Today, the fundraising campaign for for Windows 8, RT and Phone run by some VideoLAN team members ended. Their goal was successfully reached and they announced to start working on the new ports right away. Find out more . VLC 2.0.5 2012-12-15 VideoLAN and the VLC development team are happy to present the sixth version of "Twoflower", a minor update that improves the overall stability. Notable changes include improved reliability for MKV file playback, fixed MPEG2 audio and video encoding, pulseaudio synchronization, Mac OS interface, and other fixes. It also resolves potential security issues in HTML subtitle parser, freetype renderer, AIFF demuxer and SWF demuxer. More info in the release notes . We would like to remind our users that some VideoLAN team members are trying to raise money for VLC for Windows Metro on Kickstarter . VLC for the new Windows 8 User Experience fundraiser 2012-11-29 Today, some VideoLAN team members launched a fundraiser on Kickstarter to support a port to the new User Experience on Windows 8 (aka "Metro") and Windows RT. Find out more . VideoLAN Security Advisory 1203 2012-11-02 VLC media player versions 2.0.3 and older suffer from a critical buffer overflow vulnerability. Refer to our advisory for technical details. A fix for this issue is already available in VLC 2.0.4. We strongly recommend all users to update to this new version. VLC 2.0.4 2012-10-18 VideoLAN and the VLC development team present the fifth version of "Twoflower", a major update that fixes a lot of regressions, issues and security issues in this branch. It introduces Opus support, improves Youtube, Vimeo streams and Blu-Ray dics support. It also fixes many issues in playback, notably on Ogg and MKV playback and audio device selections and a hundred of other bugs. More info in the release notes . Updated 2.0.3 builds for Mac OS X 2012-08-01 A small number of users on specific setups experienced audio issues with the latest version of VLC media player for Mac OS X. If you are affected, please download VLC again and replace the existing installation. If you're not, there is nothing to do. VideoLAN at FISL 2012-07-19 Next week, we will give two talks about VideoLAN and VLC media player at the 13° Fórum Internacional Software Livre in Porto Alegre, Brazil. This is the first time VideoLAN members attend a conference in South America. We are looking forward to it and hope to see you around. VLC 2.0.3 2012-07-19 VideoLAN and the VLC development are proud to present a minor update adding support for OS X Mountain Lion as well as improving VLC's overall stability on OS X. Additionally, this version includes updates for 18 translations and adds support for Uzbek and Marathi. For MS Windows, you can update manually if you need the translation updates. VLC 2.0.2 2012-07-01 After more than 100 million downloads of VLC 2.0 versions, VideoLAN and the VLC development team present the third version of "Twoflower", a major update that fixes a lot of regressions in this branch. It introduces an important number of features for the Mac OS X platform, notably interface improvements to be on-par with the classic VLC interface, better performance and Retina Display support. VLC 2.0.2 fixes the video playback on older devices both on MS Windows and Mac OS X, includes overall performance improvements and fixes for a couple of hundreds of bugs. More info in the release notes . World IPv6 Launch 2012-06-04 The VideoLAN organization is taking part in the World IPv6 launch on June 6. All services including the website, the forums, the bugtracker and the git server are now accessible via IPv6. VideoLAN at LinuxTag 2012-05-21 We will presenting VLC and other VideoLAN projects at LinuxTag in Berlin this week (booth #167, hall 7.2a). Come around and have a look at our latest developments! Of course, we will also be present during LinuxNacht, in case that you prefer to share a beer with us. 1 billion thank you! 2012-05-09 VideoLAN would like to thank VLC users 1 billion times, since VLC has now been downloaded more than 1 billion times from our servers, since 2005! Get the numbers ! VLC 2.0.1 2012-03-19 After 15 million downloads of VLC 2.0.0 versions, VideoLAN and the VLC development team present the second version of "Twoflower", a bugfix release. Support for MxPEG files, new features in the Mac OS X interface are part of this release, in addition to faster decoding and fixes for hundred of bugs and regression, notably for HLS, MKV, RAR, Ogg, Bluray discs and many other things. This is also a security update . More info on the release notes . VLC 2.0.0 2012-02-18 After 485 million downloads of VLC 1.1.x versions, VideoLAN and the VLC development team present VLC 2.0.0 "Twoflower", a major new release. With faster decoding on multi-core, GPU, and mobile hardware and the ability to open more formats, notably professional, HD and 10bits codecs, 2.0 is a major upgrade for VLC. Twoflower has a new rendering pipeline for video, with higher quality subtitles, and new video filters to enhance your videos. It supports many new devices and BluRay Discs (experimental). It features a completely reworked Mac and Web interfaces and improvements in the other interfaces make VLC easier than ever to use. Twoflower fixes several hundreds of bugs, in more than 7000 commits from 160 volunteers. More info on the release notes . VideoLAN at SCALE 10x 2012-01-15 VideoLAN will have a booth (#74) at the Southern California Linux Expo at the Hilton Los Angeles Airport Hotel next week-end. The event will take place from Friday throughout Sunday. We will happily show you the latest developments and our forthcoming major VLC update. multicat 2.0 2012-01-04 VideoLAN is happy to announce the second major release of multicat . It brings numerous new features, such as recording chunks of a stream in a directory, and supporting TCP socket and IPv6, as well as bug fixes. Also aggregaRTP was extended to support retransmission of lost packets. DVBlast 2.1 2012-01-04 VideoLAN is happy to announce version 2.1 of DVBlast . It is a bugfix release, fixing in particular a problem with MMI menus present in 2.0. VLC engine relicensed to LGPL 2011-12-21 As previously stated , VideoLAN worked on the relicensing of libVLC and libVLCcore: the VLC engine. We are glad to announce that this process is now complete for VLC 1.2. Thanks a lot for the support. VLC 1.1.13 2011-12-20 VideoLAN and the VLC development team present VLC 1.1.13, a bug and security fix release. This release was necessary due to a security issue in the TiVo demuxer . Source code is available. DVBlast 2.0 and biTStream 1.0 2011-12-15 VideoLAN is happy to announce DVBlast 2.0, the fourth major release of DVBlast . It fixes a number of issues, such as packet bursts and CAM communication problems, adds more configuration options, and improves dvblastctl with stream information. It also gets rid of the runtime dependency on libdvbpsi thanks to biTStream. VideoLAN is also happy to introduce the first public release of biTStream , a set of C headers allowing a simpler access (read and write) to binary structures such as specified by MPEG, DVB, IETF, etc... It is released under the MIT license to avoid readability concerns being shadowed by license issues. It already has a pretty decent support of MPEG systems packet structures, MPEG PSI, DVB SI, DVB simulcast and IETF RTP. libaacs 0.3.0 2011-12-02 The doom9 researchers and the libaacs developers would like to present the first official release of their library of the implementation of the libaacs standard. libaacs 0.3.0 source code can be downloaded on the VideoLAN download service . Nota Bene: This library is of no use without AACS keys. libbluray 0.2.1 2011-11-30 VideoLAN and the libbluray developers would like to present the first official release of their library to help playback of Blu-Ray for open source systems. libbluray 0.2.1 source code can be downloaded on the VideoLAN ftp . VLC 1.1.12 2011-10-06 VideoLAN and the VLC development team present VLC 1.1.12, a bug and security fix release with improvements for audio output on Mac OS X and with PulseAudio. This release was necessary due to a security issue in the HTTP and RTSP server components, though this does not affect standard usage of the player. Binaries for Mac OS X and sources are available. Changing the VLC engine license to LGPL 2011-09-07 During the third VideoLAN Dev Days , last weekend in Paris, numerous developers approved the process of changing the license of the VLC engine to LGPL 2.1 (or later). This is the beginning of the process and will require the authorization from all the past contributors. See our press release on this process. libdvbpsi 0.2.1 2011-09-01 The libdvbpsi development team release version 0.2.1 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.1 is a bugfix release which corrects minor issues in libdvbpsi. For more information on features visit libdvbpsi main page . Invitation to VDD11 2011-08-15 VideoLAN would like to invite you to join us at the VideoLAN Dev Days 2011. This technical conference about open source multimedia, will see developers from VLC, libav, FFmpeg, x264, Phonon, DVBlast, PulseAudio, KDE, Gnome and other projects gather to discuss about open source development for multimedia projects. It will be held in Paris, France, on September 3rd and 4th , 2011. See more info, on the dedicated page. VLC 1.1.11 2011-07-15 VideoLAN and the VLC development team present VLC 1.1.11, a security release with some other improvements. This release was necessary due to two security issues in the real and avi demuxers. It also contains improvements in the fullscreen mode of the Win32 mozilla plugin, the MacOSX Media Key handling and Auhal audio output as well as bug fixes in GUI, decoders and demuxers.. Source and binaries builds for Windows and Mac are available. VLC 1.1.10.1 2011-06-16 Shortly after VLC 1.1.10, VideoLAN and the VLC development team present version 1.1.10.1, which includes small fixes for the Mac OS X port such as disappearing repeat buttons and restored Freebox TV access. Additionally, the installation size was reduced by up to 30 MB. See the release notes for more information on the additional improvements included from VLC 1.1.10. VLC 1.1.10 2011-06-06 VideoLAN and the VLC development team present VLC 1.1.10, a minor release of the 1.1 branch. This release, 2 months after 1.1.9, was necessary because some security issues were found (see SA 1104 ), and the VLC development team cares about security. This release brings a rewritten pulseaudio output, an important number of small Mac OS X fixes, the removal of the font-cache building for the freetype module on Windows and updates of codecs. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.10. libdvbpsi 0.2.0 2011-05-05 The libdvbpsi development team release version 0.2.0 of their library for decoding and encoding MPEG-TS PSI information commonly found in DVB and MPEG transport streams. The version 0.2.0 marks a license change from GPLv2 to LGPLv2.1 . For more information on features visit libdvbpsi main page . Phonon VLC 0.4.0 2011-04-27 VideoLAN would like to point out that the Phonon team has released Phonon VLC 0.4.0 . The new version of the best backend for the Qt multimedia library features much improved stability, more video features and control as well as completely redone streaming input capabilities. You can read more on Phonon VLC 0.4.0 in the release announcement ! VLC 1.1.9 2011-04-12 VideoLAN and the VLC development team present VLC 1.1.9, a minor release of the 1.1 branch. This release, not long after 1.1.8, was necessary because some security issues were found, and the VLC development team cares about security. This release also brings updated translations and a lot of small Mac OS X fixes. Source and binaries builds for Windows and Mac are available. See the release notes for more information on 1.1.9. libdvbcsa 1.1.0 is now out! 2011-04-03 libdvbcsa's new versions brings major speed improvements and optimizations of key schedules. It also fixes minor issues. You can get it now on our FTP or on the main libdvbcsa page! A new year of Google Summer of Code 2011-03-28 Instead of having a lousy student summer internship, why not working for VideoLAN and have an impact on millions of people world-wide? The Google Summer of Code program is starting soon and you should send your applications before April 8th 2011, 19:00 UTC, on the webapplication . You shouldn't wait for the last minute and we would like to remember that application can be modified afterwards and that you can submit multiple applications. Join the team now! VLC 1.1.8 and anti-virus software 2011-03-25 Yet again, broken anti-virus software flag the latest version of VLC on Windows as a malware. This is, once again, a false positive . As some of the anti-virus makers plainly refuse to fix their code, we recommend to our users to stop using Kaspersky , AVL , TheHacker or AVG . Users are advised to use the free Antivir or the new Microsoft Security Essential . Moreover , we advise users to download VLC only from videolan.org , as very numerous scam websites have appeared lately. VLC 1.1.8 2011-03-23 VideoLAN and the VLC development team present VLC 1.1.8, a minor release of the 1.1 branch. Small new features, many bugfixes, updated translations and security issues are making this release too. Notable improvements include updated look on Mac, new Dirac encoder, new VP8/Webm encoder, and numerous fixes in codecs, demuxers, interface, subtitles auto-detection, protocols and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.8. CeBit and 10 years of open source... 2011-02-28 The VideoLAN project and organization would like to thank everyone for the support during this month for our 10 years We'd like to invite you to meet us at the CeBIT , starting from tomorrow, in the open source lounge, Hall 2, Stand F44 . 10 years of open source for VideoLAN: end of 10 days... 2011-02-12 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 6 showed a selection of extensions ; Day 7 detailed a few secret features ; Day 8 showed a few nice cones ; Day 9 detailed our committers and download numbers ; Day 10 showed of a showed a promotionnal video . Please join the celebration! 10 years of open source for VideoLAN: continued... 2011-02-07 The VideoLAN project and organization continues to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software. Day 1 spoke about the early history of the project ; Day 2 spoke about the website design ; Day 3 showed a cool video ; Day 4 listed our preferred skins ; Day 5 showed of a photo of the team at the FOSDEM ; Day 6 (one day late) showed a selection of extensions . Please join the celebration! New website design 2011-02-02 As you might have seen, we've change the design of the main website . The website design was done by Argon and this project was sponsored by netzwelt.de . VLC 1.1.7 2011-02-01 VideoLAN and the VLC development team present VLC 1.1.7, a small security update on 1.1.6. Small new features, many bugfixes, updated translations and security issues were making the 1.1.6 release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information on 1.1.6. Source was available yesterday; binaries for Windows and Mac OS X are now available. 10 years of open source for VideoLAN 2011-02-01 The VideoLAN project and organization are proud to celebrate with the community the 10 th anniversary of open sourcing of all VideoLAN software, that happened exactly 10 years ago. To celebrate, small infos, stories and goodies will be posted in the next ten days on this site . Day 1 speaks about the early history of the project Please join the celebration! VLC 1.1.6 2011-01-23 VideoLAN and the VLC development team are proud to present VLC 1.1.6, the sixth bugfix release of the VLC 1.1.x branch. Small new features, many bugfixes, updated translations and security issues are making this release. Notable improvements include codecs, demuxers, Audio-CD support, subtitles, visualization and platform integration. Source and Windows and MacOSX builds are available. See the release notes for more information. NB: The first versions for Intel-based Macs (64bit and Universal Binary) included a rtsp streaming bug, which also hindered access to the Freebox. Please re-download. End of support for VLC 1.0 series 2011-01-22 The VideoLAN team ceases all form of support for VLC media player versions 1.0.x. Focusing maintenance efforts on the current VLC 1.1 versions, and further development on the upcoming VLC 1.2 series, the VideoLAN team will not deliver any further update for VLC versions 1.0.x (last release was 1.0.6), and VLC 0.9.x (last release was 0.9.10). VLC 1.1.6 will be released shortly. This release will introdu
2026-01-13T09:30:37
https://www.hcaptcha.com/user-journeys.html
User Journeys Pricing Pro Enterprise MFA User Journeys Docs Blog Sign Up Log In From the blog: Preparing for AI Agents → Switch to English Accessibility Pricing Pro Enterprise MFA User Journeys Docs Blog Contact Sales Sign Up Log In USER JOURNEYS Understand Intent. Stop Abuse. Find threats across the full user journey: agents, bots, or people Get Started Fraud and abuse take many forms, but actions signal intent. User Journeys finds malicious intent across sessions, devices, and apps. Give your systems and analysts new signals to distinguish real users from threats, while preserving privacy with our Zero PII design. Get Started User Journeys Signal Intent at Every Step hCaptcha User Journeys builds a privacy-preserving analysis indicating what threat actors are trying to do, not just what they’ve done. From account takeovers to transaction fraud, detect intent signals that expose risk before it escalates. See Intent in Motion Understand Motives, Not Just Outcomes Account Takeovers Uncover intent shifts and subtle indicators that precede ATOs. Synthetic Identity and Application Fraud Detect coordinated fraud patterns mimicking legitimate behavior. Multi-accounting & Collusion Identify shared intent across proxies, sessions, and other attack infrastructure. Incentive Abuse Expose manipulation of signups, returns, and promotions. Transaction Fraud Locate groups of suspicious actors based on holistic intent signals. Account Sharing Define and enforce your own rules for shared logins across users, teams, or locations. Analytics That Reveal True Intent hCaptcha User Journeys turns data into actionable insights. Network Detection Expose coordinated abuse by linking users through shared infrastructure and holistic intent analysis. Session Monitoring Trace intent across the full session lifecycle, surfacing attack indicators instantly. View Case Studies Rule Simulation & Backtesting Test intent-based controls on real data to validate outcomes and enforce business logic in seconds. View Case Studies Built for Modern Security and Engineering Teams hCaptcha Enterprise offers an API-first platform that deciphers user intent at scale: Stop Account Takeovers Reveal spoofing, tampering, and automation with uniquely accurate signals. Risk Scoring Score sessions based on intent and risk progression over time, not just single anomalies. Rules Engine Define and execute real-time decisions with flexible no-code rule builders. Case Management Track behavioral intent and decision outcomes across users and sessions. Gain clarity on user intent. Stop threats with confidence. Trusted by thousands of companies Start a pilot Region * North America (NA) South America, Mexico (LATAM) Europe, Middle East, Africa (EMEA) Asia-Pacific (APAC) Your Name* Company * Business Email * Any other details we should have? * Do you require urgent onboarding? Yes.   I am under attack and require immediate onboarding. Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. By entering your email, you agree to our Terms and Privacy Policy, and to receive email from us. See hCaptcha Enterprise in Action Get a demo or start a pilot today. Get Started Company About Jobs Trademarks AI Ethics Press Compliance Resources Status Documentation Report a Bug Accessibility Cyberattacks 101 GDPR Contact Us Contact Sales Contact Support Company Jobs AI Ethics Compliance About Trademarks Press Resources Documentation Accessibility Status Report a Bug Cyberattacks 101 Contact Support Contact Support Sales Contact Sales Blog Terms Privacy DMCA Attribution hCaptcha is a registered trademark of Intuition Machines, Inc. ©2025 Intuition Machines, Inc.
2026-01-13T09:30:37
https://bifromq.apache.org/docs/admin_guide/security/intro/
Security Overview | An Open Source Apache MQTT Broker | Apache BifroMQ (Incubating) Skip to main content Apache BifroMQ (Incubating) Docs Community Download FAQ Next (Incubating) Next (Incubating) 3.3.x 3.2.x 3.1.x 3.0.x 2.1.x 2.0.0 1.0.x ASF Foundation License Events Privacy Security Sponsorship Thanks Code of Conduct Get Started Installation BifroMQ Cluster User Guide Plugin Administration Configuration Tuning Observability Security Benchmark Contribution Administration Security Version: Next (Incubating) On this page Security Overview Security, a broad and critical aspect of any system, is a key focus for BifroMQ. Recognizing the importance of securing MQTT broker deployments, BifroMQ offers a suite of features designed to address various security concerns, from cluster isolation to client authentication and risk management of malicious client behavior. Cluster Isolation and Secure Inter-Node Communication ​ Decentralized Cluster Formation ​ BifroMQ utilizes a decentralized approach for cluster building, allowing nodes to join a cluster by simply sending a join request to any existing cluster member. To prevent unintended cluster mergers due to operational errors, BifroMQ supports specifying a "cluster environment" in the configuration file . This logical separation ensures that clusters intended for different purposes remain distinct, safeguarding against incorrect merges. Secure Inter-Node Communication ​ Node communication in BifroMQ occurs through two primary methods: P2P communication via base-cluster technology and RPC communication via base-rpc technology. Both methods offer configurable binding addresses and ports for finer control over firewall rules. Importantly, base-rpc supports TLS configuration, enabling end-to-end secure RPC communication between nodes. Client Authentication and Authorization ​ Auth Provider Plugin ​ Client security in BifroMQ encompasses both authentication (verifying client identity) and authorization (granting privileges to various actions). BifroMQ employs the auth provider plugin as a unified approach to client security management. Secure Communication Channels ​ BifroMQ supports MQTT over TLS and MQTT over WSS, enabling secure communication between clients and the broker. Businesses can choose between one-way and two-way authentication depending on their security requirements. For two-way authentication scenarios, the plugin implementation can access the complete certificate content, aiding in custom large-scale client certificate lifecycle management. Risk Management of Bad-behavior Clients ​ Identifying and managing bad-behavior clients—those that violate protocol standards or consume excessive system resources—is crucial for maintaining system integrity, especially in large-scale, multi-tenant MQTT deployments. BifroMQ addresses this challenge through real-time event collection and analysis via the EventCollector plugin. By identifying malicious client behaviors and integrating response strategies into the auth provider plugin, BifroMQ enables administrators to deny access to offending clients effectively. While the implementation of such strategies extends beyond BifroMQ's core functionality, the BifroMQ team offers extensive expertise and professional consulting services for users facing similar challenges. Edit this page Previous Events Next Benchmark Cluster Isolation and Secure Inter-Node Communication Decentralized Cluster Formation Secure Inter-Node Communication Client Authentication and Authorization Auth Provider Plugin Secure Communication Channels Risk Management of Bad-behavior Clients Apache BifroMQ is an effort undergoing incubation at The Apache Software Foundation (ASF), sponsored by the Apache Incubator. Incubation is required of all newly accepted projects until a further review indicates that the infrastructure, communications, and decision making process have stabilized in a manner consistent with other successful ASF projects. While incubation status is not necessarily a reflection of the completeness or stability of the code, it does indicate that the project has yet to be fully endorsed by the ASF. Copyright © 2025 The Apache Software Foundation, Licensed under the Apache License, Version 2.0. Apache, the names of Apache projects, and the feather logo are either registered trademarks or trademarks of the Apache Software Foundation in the United States and/or other countries.
2026-01-13T09:30:37