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://hacktoberfest.com/ | Hacktoberfest 2025 Participation Events Donate About Discord Start Hacking Participation Events Donate About Discord Start Hacking Hacktoberfest 2025 has now ended Thank you for contributing to open source this month. Open source couldn’t survive without the dynamic duo of project maintainers and volunteers like you. Hacktoberfest #12 has officially ended. But don’t let that stop you from contributing to open source all year long. We look forward to seeing you next year! Be sure to sign up for updates to get the latest announcements about future Hacktoberfest events. Powered by and Thank you See you next year Thank you See you next year Thank you See you next year Thank you See you next year Thank you See you next year Thank you See you next year Thank you See you next year Thank you See you next year Stay Connected Keep your connection to open source strong! Join other members of the open-source community in lively discussion on the Hacktoberfest Discord. Join the discord Thank you to all our Sponsors and Community Partners A special thank you to the great folks at DigitalOcean, MLH, Auth0 and AMD for their sponsorship of Hacktoberfest. Thank you to ALL our Sponsors and Community Partners, we ❤️ you! Sponsors Community Partners Let’s build the future of open source, together. Whether you’re launching a developer tool, hiring open-source contributors, or scaling a community, Hacktoberfest gives you a trusted platform to do it in a way that gets users excited. Share X (Twitter) Facebook LinkedIn Hacker News Reddit Follow Discord X (Twitter) BlueSky Email © 2025 DigitalOcean, LLC. All Rights Reserved. Terms Privacy Brand Guidelines | 2026-01-13T08:48:12 |
https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Forgs%2Fcommunity%2Fdiscussions | Sign in to GitHub · GitHub Skip to content 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 Sign in to GitHub {{ message }} --> Username or email address Password Forgot password? Uh oh! There was an error while loading. Please reload this page . New to GitHub? Create an account Sign in with a passkey Terms Privacy Docs Contact GitHub Support Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:12 |
https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fmcp | Sign in to GitHub · GitHub Skip to content 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 Sign in to GitHub {{ message }} --> Username or email address Password Forgot password? Uh oh! There was an error while loading. Please reload this page . New to GitHub? Create an account Sign in with a passkey Terms Privacy Docs Contact GitHub Support Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:12 |
https://dev.to/lparvinsmith/web3js-vs-ethersjs-a-comparison-of-web3-libraries-2ap5#instantiating-provider-with-metamask-wallet | web3.js vs ethers.js: a Comparison of Web3 Libraries - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Lara Parvinsmith Posted on Mar 3, 2022 web3.js vs ethers.js: a Comparison of Web3 Libraries # web3 # ethereum # javascript # blockchain Both web3.js and ethers.js are JavaScript libraries that enable frontend apps to interact with the Ethereum blockchain, including smart contracts. If you're building an app that reads or writes to the blockchain from the client, you'll need to use one of these libraries. They have similar functionality, but an important question is how they will be maintained and grow with the emerging dapp ecosystem. Quantitative comparison web3.js ethers.js Date of first release Feb 2015 Jul 2016 GitHub stars 13.4k 4k GitHub contributors* 16** 1 Bundle size*** 590.6kB 116.5kB *GitHub contributors from March 1, 2021 to March 1, 2022 **16 contributors, but only 2 had more than 10 commits in the one year period ***Bundle size from bundlephobia , value of minified and gzipped package. API differences While web3.js provides a single instantiated web3 object with methods for interacting with the blockchain, ethers.js separates the API into two separate roles. The provider , which is an anonymous connection to the ethereum network, and the signer , which can access the private key and sign the transactions. The ethers team intended this separation of concerns to provide more flexibility to developers. Side-by-side examples Below are some examples of common functions a developer would include in their dapp. You'll see they offer the same functionality, with some slight differences of API. Instantiating provider with MetaMask wallet web3 const web3 = new Web3(Web3.givenProvider); ethers const provider = new ethers.providers.Web3Provider(window.ethereum) Getting balance of account web3 const balance = await web3.eth.getBalance("0x0") ethers (supports ENS!) const balance = await provider.getBalance("ethers.eth") Instantiating contract web3 const myContract = new web3.eth.Contract(ABI, contractAddress); ethers const myContract = new ethers.Contract(contractAddress, ABI, provider.getSigner()); Calling contract method web3 const balance = await myContract.methods.balanceOf("0x0").call() ethers const balance = await myContract.balanceOf("ethers.eth") So which should I pick for my project? Given the details above, web3.js looks like the go-to choice, with a longer history and more maintainers. However, ethers.js seems just as reliable and includes some differentiating perks such as size and additional features. Most other articles on this subject conclude that you could easily pick either, depending on what you're looking for. I too hesitate to recommend one over the other. But as the ecosystem evolves, it is important to me to pick the library that will be most flexible and supported by other libraries. Ecosystem factors Which will be the most supported by open source libraries? As the dapp ecosystem grows, which of the two libraries will be the most compatible with other open source libraries you want to bring into your app? In my limited experience, as this is still an emerging area for development, there are a couple libraries that require ethers.js to use the framework. Examples include web3-react and NFT Swap SDK . I have not yet seen libraries that require web3.js. Which will have a solution for mocking for end-to-end testing? Implementing end-to-end testing for web3 features is a challenge. This is partly because most tools, like Cypress , run your tests in a Chromium browser that does not support browser extensions. Developers need an easy way to mock Ethereum providers or the web3/ethers instance to use inside their test environments. So far, I haven't seen any libraries that help solve this. But if there were a tool that helped mock providers for testing, and only worked with ethers for example, that would be enough for me to choose ethers over web3. Which library do you prefer, web3.js or ethers.js? Are there any tools in the ecosystem I'm overlooking? Let me know in the comments! Top comments (4) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Leland Holmes Leland Holmes Leland Holmes Follow IT Project Manager & Business Consultant Joined Sep 20, 2024 • Sep 20 '24 Dropdown menu Copy link Hide Hi, @everyone We are seeking a talented and experienced Blockchain Developer to join our dynamic team. As a Blockchain Developer, you will be responsible for driving the development and execution of our Decentralized Exchange (DEX) platform. The ideal candidate will possess a deep understanding of blockchain technology, strong project management skills, and a passion for building decentralized applications (dApps). If you are interested in this job, you can check our project. bitbucket.org/0xky43/ultrax-dex/src/main Use node version over 18.20.4. Our Team Leader will ask to you about this project. And for testing your coding skills, you should fix the some errors of this project. Afterwards, you can contact " t.me/VEProf " with project screenshots of the fixed issues. And then you will discuss more details with him what you have to do. Thanks Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Pavel Svitek Pavel Svitek Pavel Svitek Follow 3x CTO, 10+ years as full-stack web dev. ReactJS/VueJS/NodeJS/Typescript/Python. Interested in Fintech/Web3/DeFi/AI/IPFS/Ethereum Location Zurich, Switzerland Work CTO Joined Dec 30, 2018 • Aug 3 '22 Dropdown menu Copy link Hide Have you seen any updates rg. wallet testing (mocking) with ethers.js or wagmi? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand J.D. Bertron J.D. Bertron J.D. Bertron Follow Founder and CEO at BqETH.com Work Founder and CEO at BqETH.com Joined Jun 19, 2022 • Sep 24 '22 Dropdown menu Copy link Hide Thank you so much for this. Like comment: Like comment: Like Comment button Reply Collapse Expand sacru2red sacru2red sacru2red Follow Joined Jun 24, 2022 • Jun 24 '22 Dropdown menu Copy link Hide thank you Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Lara Parvinsmith Follow Work Software Engineer Joined Aug 16, 2019 More from Lara Parvinsmith Signatures as Authentication in Web3 # ethereum # blockchain # web3 # cryptography Web3: the unique technology and challenges behind the hype # web3 # blockchain # ux # ethereum Easiest way to deploy your Ethereum Smart Contract # blockchain # solidity # ethereum # smartcontract 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://dev.to/lparvinsmith/web3js-vs-ethersjs-a-comparison-of-web3-libraries-2ap5#quantitative-comparison | web3.js vs ethers.js: a Comparison of Web3 Libraries - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Lara Parvinsmith Posted on Mar 3, 2022 web3.js vs ethers.js: a Comparison of Web3 Libraries # web3 # ethereum # javascript # blockchain Both web3.js and ethers.js are JavaScript libraries that enable frontend apps to interact with the Ethereum blockchain, including smart contracts. If you're building an app that reads or writes to the blockchain from the client, you'll need to use one of these libraries. They have similar functionality, but an important question is how they will be maintained and grow with the emerging dapp ecosystem. Quantitative comparison web3.js ethers.js Date of first release Feb 2015 Jul 2016 GitHub stars 13.4k 4k GitHub contributors* 16** 1 Bundle size*** 590.6kB 116.5kB *GitHub contributors from March 1, 2021 to March 1, 2022 **16 contributors, but only 2 had more than 10 commits in the one year period ***Bundle size from bundlephobia , value of minified and gzipped package. API differences While web3.js provides a single instantiated web3 object with methods for interacting with the blockchain, ethers.js separates the API into two separate roles. The provider , which is an anonymous connection to the ethereum network, and the signer , which can access the private key and sign the transactions. The ethers team intended this separation of concerns to provide more flexibility to developers. Side-by-side examples Below are some examples of common functions a developer would include in their dapp. You'll see they offer the same functionality, with some slight differences of API. Instantiating provider with MetaMask wallet web3 const web3 = new Web3(Web3.givenProvider); ethers const provider = new ethers.providers.Web3Provider(window.ethereum) Getting balance of account web3 const balance = await web3.eth.getBalance("0x0") ethers (supports ENS!) const balance = await provider.getBalance("ethers.eth") Instantiating contract web3 const myContract = new web3.eth.Contract(ABI, contractAddress); ethers const myContract = new ethers.Contract(contractAddress, ABI, provider.getSigner()); Calling contract method web3 const balance = await myContract.methods.balanceOf("0x0").call() ethers const balance = await myContract.balanceOf("ethers.eth") So which should I pick for my project? Given the details above, web3.js looks like the go-to choice, with a longer history and more maintainers. However, ethers.js seems just as reliable and includes some differentiating perks such as size and additional features. Most other articles on this subject conclude that you could easily pick either, depending on what you're looking for. I too hesitate to recommend one over the other. But as the ecosystem evolves, it is important to me to pick the library that will be most flexible and supported by other libraries. Ecosystem factors Which will be the most supported by open source libraries? As the dapp ecosystem grows, which of the two libraries will be the most compatible with other open source libraries you want to bring into your app? In my limited experience, as this is still an emerging area for development, there are a couple libraries that require ethers.js to use the framework. Examples include web3-react and NFT Swap SDK . I have not yet seen libraries that require web3.js. Which will have a solution for mocking for end-to-end testing? Implementing end-to-end testing for web3 features is a challenge. This is partly because most tools, like Cypress , run your tests in a Chromium browser that does not support browser extensions. Developers need an easy way to mock Ethereum providers or the web3/ethers instance to use inside their test environments. So far, I haven't seen any libraries that help solve this. But if there were a tool that helped mock providers for testing, and only worked with ethers for example, that would be enough for me to choose ethers over web3. Which library do you prefer, web3.js or ethers.js? Are there any tools in the ecosystem I'm overlooking? Let me know in the comments! Top comments (4) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Leland Holmes Leland Holmes Leland Holmes Follow IT Project Manager & Business Consultant Joined Sep 20, 2024 • Sep 20 '24 Dropdown menu Copy link Hide Hi, @everyone We are seeking a talented and experienced Blockchain Developer to join our dynamic team. As a Blockchain Developer, you will be responsible for driving the development and execution of our Decentralized Exchange (DEX) platform. The ideal candidate will possess a deep understanding of blockchain technology, strong project management skills, and a passion for building decentralized applications (dApps). If you are interested in this job, you can check our project. bitbucket.org/0xky43/ultrax-dex/src/main Use node version over 18.20.4. Our Team Leader will ask to you about this project. And for testing your coding skills, you should fix the some errors of this project. Afterwards, you can contact " t.me/VEProf " with project screenshots of the fixed issues. And then you will discuss more details with him what you have to do. Thanks Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Pavel Svitek Pavel Svitek Pavel Svitek Follow 3x CTO, 10+ years as full-stack web dev. ReactJS/VueJS/NodeJS/Typescript/Python. Interested in Fintech/Web3/DeFi/AI/IPFS/Ethereum Location Zurich, Switzerland Work CTO Joined Dec 30, 2018 • Aug 3 '22 Dropdown menu Copy link Hide Have you seen any updates rg. wallet testing (mocking) with ethers.js or wagmi? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand J.D. Bertron J.D. Bertron J.D. Bertron Follow Founder and CEO at BqETH.com Work Founder and CEO at BqETH.com Joined Jun 19, 2022 • Sep 24 '22 Dropdown menu Copy link Hide Thank you so much for this. Like comment: Like comment: Like Comment button Reply Collapse Expand sacru2red sacru2red sacru2red Follow Joined Jun 24, 2022 • Jun 24 '22 Dropdown menu Copy link Hide thank you Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Lara Parvinsmith Follow Work Software Engineer Joined Aug 16, 2019 More from Lara Parvinsmith Signatures as Authentication in Web3 # ethereum # blockchain # web3 # cryptography Web3: the unique technology and challenges behind the hype # web3 # blockchain # ux # ethereum Easiest way to deploy your Ethereum Smart Contract # blockchain # solidity # ethereum # smartcontract 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://docs.microsoft.com/en-us/visualstudio/releases/2019/release-notes#16.6.3 | Visual Studio 2019 version 16.11 Release Notes | Microsoft Learn Skip to main content Skip to Ask Learn chat experience This browser is no longer supported. Upgrade to Microsoft Edge to take advantage of the latest features, security updates, and technical support. Download Microsoft Edge More info about Internet Explorer and Microsoft Edge Table of contents Exit editor mode Ask Learn Ask Learn Focus mode Table of contents Read in English Add Add to plan Share via Facebook x.com LinkedIn Email Print Note Access to this page requires authorization. You can try signing in or changing directories . Access to this page requires authorization. You can try changing directories . Visual Studio 2019 version 16.11 Release Notes Feedback Summarize this article for me In this article What's New in Visual Studio 2019 version 16.11 Important This is not the latest version of Visual Studio. To download the latest release, please visit https://visualstudio.microsoft.com/downloads/ and see the Visual Studio 2022 release notes . Support Timeframe Visual Studio 2019 version 16.11 is the final supported servicing baseline for Visual Studio 2019. Enterprise and Professional customers needing to adopt a long term stable and secure development environment are encouraged to standardize on this version. As explained in our lifecycle and support policy , version 16.11 will be supported with fixes and security updates through April 2029, which is the remainder of the Visual Studio 2019 product lifecycle. You can acquire the latest most secure version of Visual Studio 2019 version 16.11, by visiting the Visual Studio site, or by going to the downloads section of my.visualstudio.com . You can get updates from the Microsoft Update catalog . For more information about Visual Studio supported baselines, please review the support policy for Visual Studio 2019 . Visual Studio 2019 version 16.11 Releases November 11, 2025 — Visual Studio 2019 version 16.11.53 October 14, 2025 — Visual Studio 2019 version 16.11.52 September 9, 2025 — Visual Studio 2019 version 16.11.51 August 12, 2025 — Visual Studio 2019 version 16.11.50 July 8, 2025 — Visual Studio 2019 version 16.11.49 June 10, 2025 — Visual Studio 2019 version 16.11.48 May 13, 2025 — Visual Studio 2019 version 16.11.47 April 8, 2025 — Visual Studio 2019 version 16.11.46 March 11, 2025 — Visual Studio 2019 version 16.11.45 February 11, 2025 — Visual Studio 2019 version 16.11.44 January 14, 2025 — Visual Studio 2019 version 16.11.43 November 12, 2024 — Visual Studio 2019 version 16.11.42 October 8, 2024 — Visual Studio 2019 version 16.11.41 September 10, 2024 — Visual Studio 2019 version 16.11.40 August 13, 2024 — Visual Studio 2019 version 16.11.39 July 9, 2024 — Visual Studio 2019 version 16.11.38 June 11, 2024 — Visual Studio 2019 version 16.11.37 May 14, 2024 — Visual Studio 2019 version 16.11.36 April 9, 2024 — Visual Studio 2019 version 16.11.35 February 13, 2024 — Visual Studio 2019 version 16.11.34 January 9, 2024 — Visual Studio 2019 version 16.11.33 November 14, 2023 — Visual Studio 2019 version 16.11.32 October 12, 2023 — Visual Studio 2019 version 16.11.31 September 12, 2023 — Visual Studio 2019 version 16.11.30 August 8, 2023 — Visual Studio 2019 version 16.11.29 July 25, 2023 — Visual Studio 2019 version 16.11.28 June 13, 2023 — Visual Studio 2019 version 16.11.27 April 11, 2023 — Visual Studio 2019 version 16.11.26 March 14, 2023 — Visual Studio 2019 version 16.11.25 February 14, 2023 — Visual Studio 2019 version 16.11.24 January 10, 2023 — Visual Studio 2019 version 16.11.23 December 13, 2022 — Visual Studio 2019 version 16.11.22 November 8, 2022 — Visual Studio 2019 version 16.11.21 October 11, 2022 — Visual Studio 2019 version 16.11.20 September 13, 2022 — Visual Studio 2019 version 16.11.19 August 9, 2022 — Visual Studio 2019 version 16.11.18 July 12, 2022 — Visual Studio 2019 version 16.11.17 June 14, 2022 — Visual Studio 2019 version 16.11.16 May 17, 2022 — Visual Studio 2019 version 16.11.15 May 10, 2022 — Visual Studio 2019 version 16.11.14 April 19, 2022 — Visual Studio 2019 version 16.11.13 April 12, 2022 — Visual Studio 2019 version 16.11.12 March 8, 2022 — Visual Studio 2019 version 16.11.11 February 8, 2022 — Visual Studio 2019 version 16.11.10 January 11, 2022 — Visual Studio 2019 version 16.11.9 December 14, 2021 — Visual Studio 2019 version 16.11.8 November 16, 2021 — Visual Studio 2019 version 16.11.7 November 09, 2021 — Visual Studio 2019 version 16.11.6 October 12, 2021 — Visual Studio 2019 version 16.11.5 October 05, 2021 — Visual Studio 2019 version 16.11.4 September 14, 2021 — Visual Studio 2019 version 16.11.3 August 25, 2021 — Visual Studio 2019 version 16.11.2 August 16, 2021 — Visual Studio 2019 version 16.11.1 August 10, 2021 — Visual Studio 2019 version 16.11.0 Visual Studio 2019 Archived Release Notes Visual Studio 2019 version 16.10 Release Notes Visual Studio 2019 version 16.9 Release Notes Visual Studio 2019 version 16.8 Release Notes Visual Studio 2019 version 16.7 Release Notes Visual Studio 2019 version 16.6 Release Notes Visual Studio 2019 version 16.5 Release Notes Visual Studio 2019 version 16.4 Release Notes Visual Studio 2019 version 16.3 Release Notes Visual Studio 2019 version 16.2 Release Notes Visual Studio 2019 version 16.1 Release Notes Visual Studio 2019 version 16.0 Release Notes Visual Studio 2019 Blog The Visual Studio 2019 Blog is the official source of product insight from the Visual Studio Engineering Team. You can find in-depth information about the Visual Studio 2019 releases in the following posts: Visual Studio 2019 v16.11 is Available Now! Visual Studio 2019 v16.10 and v16.11 Preview 1 are Available Today! Enhanced Productivity with Git in Visual Studio Available Today! Visual Studio 2019 v16.9 and v16.10 Preview 1 Visual Studio 2019 v16.9 Preview 3 is Available Today! Visual Studio 2019 v16.9 Preview 2 and New Year Wishes Coming to You! Visual Studio 2019 v16.8 and v16.9 Preview Available Today New Features in Visual Studio 2019 v16.8 Preview 3.1 Visual Studio 2019 v16.8 Preview 2 Releases New Features Today! Visual Studio 2019 v16.7 and v16.8 Preview 1 Release Today! Visual Studio 2019 v16.7 Preview 2 Available Today! Exciting new updates to the Git experience in Visual Studio Releasing Today! Visual Studio 2019 v16.6 & v16.7 Preview 1 Visual Studio 2019 version 16.6 Preview 2 Releases New Features Your Way Visual Studio 2019 version 16.5 is now available! 'Tis the Season for Visual Studio 2019 v16.4 Release Visual Studio 2019 v16.4 Preview 2, Fall Sports, and Pumpkin Spice .NET Core Support and More in Visual Studio 2019 version 16.3 - Update Now! Visual Studio 2019 version 16.3 Preview 2 and Visual Studio 2019 for Mac version 8.3 Preview 2 Released! Visual Studio 2019 version 16.2 and 16.3 Preview 1 now available Visual Studio 2019 version 16.2 Preview 2 Visual Studio 2019 version 16.1 and Preview 16.2 Preview Visual Studio 2019: Code faster. Work smarter. Create the future. Visual Studio 2019 version 16.11.53 released November 11th, 2025 Issues Addressed in this release Update Git for Windows Individual Component to v2.51.1.1 Developer Community New Visual Studio 2022 Updates Include LibCurl Library that Breaks Git Visual Studio 2019 version 16.11.52 released October 14th, 2025 Issues Addressed in this release Updated MinGit to v2.50.1 to address an issue where users with repositories located on ReFS volumes and Windows Server 2022 couldn't perform Git operations with VS IDE . Removed the 32-bit version of the Git for Windows Individual Component for x86 machines, as support dropped per 32-bit . Security advisories addressed CVE-2025-55240 Visual Studio Remote Code Execution Vulnerability - Untrusted Search Path Remote Code Execution Vulnerability in Gulpfile Visual Studio 2019 version 16.11.51 released September 9th, 2025 Issues Addressed in this release This update includes fixes pertaining to Visual Studio compliance. Visual Studio 2019 version 16.11.50 released August 12th, 2025 Issues Addressed in this release The following Windows SDK versions have been removed from the Visual Studio 2019 installer: 10.0.16299.0 10.0.17134.0 10.0.17763.0 10.0.18362.0 10.0.20348.0 10.0.22000.0 If you previously installed one of these versions of the SDK using Visual Studio it will be uninstalled when you update. If your project targets any of these SDKs you may encounter a build error such as: The Windows SDK version 10.0.22000.0 was not found. Install the required version of Windows SDK or change the SDK version in the project property pages or by right-clicking the solution and selecting "Retarget solution". To resolve this, we recommend retargeting your project to 10.0.22621.0, or an earlier supported version if necessary. For a complete list of supported SDK versions please visit: https://developer.microsoft.com/windows/downloads/sdk-archive/ . If you need to install an unsupported version of the SDK, you can find it here: https://developer.microsoft.com/windows/downloads/sdk-archive/index-legacy/ . Visual Studio 2019 version 16.11.49 released July 8th, 2025 Issues Addressed in this release Security advisories addressed CVE-2025-49739 Visual Studio - Elevation Of Privilege - Time-of-check to time-of-use in Standard Collector Service allows Local privilege escalation CVE-2025-27613 Gitk Arguments Vulnerability CVE-2025-27614 Gitk Abitryary Code Execution Vulnerability CVE-2025-46334 Git Malicious Shell Vulnerability CVE-2025-46835 Git File Overwrite Vulnerability CVE-2025-48384 Git Symlink Vulnerability CVE-2025-48385 Git Protocol Injection Vulnerability CVE-2025-48386 Git Credential Helper Vulnerability Visual Studio 2019 version 16.11.48 released June 10th, 2025 Issues Addressed in this release Updated the VS installer to include the latest servicing releases for Windows SDK versions 10.0.19041.0 and 10.0.22621.0. Visual Studio 2019 version 16.11.47 released May 13th, 2025 Issues Addressed in this release Fixed an issue in the modern query work item TFVC checkin-policy that prevented the project name from being retrieved. Fixed an issue in the forbidden patterns TFVC check-in policy that caused the patterns to be "forgotten" by the policy after it was created. Security advisories addressed CVE-2025-32703 Access to ETW tracing not known by Admin installing VS on the machine CVE-2025-32702 Remote Code Execution due to nuget package squatting CVE-2025-26646 .NET - Spoofing - Elevation of Privilege in msbuild's DownloadFile tasks default behaviors Visual Studio 2019 version 16.11.46 released April 8th, 2025 Issues addressed in this release Added support for modern TFVC Check-in Policies, as well as guidance and warnings when obsolete TFVC Check-in Policies are being applied. Visual Studio 2019 version 16.11.45 released March 11th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-25003 Visual Studio Elevation of Privilege Vulnerability CVE-2025-24998 Visual Studio Installer Elevation of Privilege Vulnerability Visual Studio 2019 version 16.11.44 released February 11th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-21206 Visual Studio Installer Elevation of Privilege - Uncontrolled Search Path Element allows an unauthorized attacker to elevate privileges locally. CVE-2023-32002 Node.js Module._load() policy Remote Code Execution - The use of Module._load() can bypass the policy mechanism and require modules outside of the policy.json definition for a given module. Visual Studio 2019 version 16.11.43 released January 14th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-21172 .NET and Visual Studio Remote Code Execution Vulnerability CVE-2025-21176 .NET, .NET Framework, and Visual Studio Remote Code Execution Vulnerability CVE-2025-21178 Visual Studio Remote Code Execution Vulnerability CVE-2024-50338 Carriage-return character in remote URL allows malicious repository to leak credentials Visual Studio 2019 version 16.11.42 released November 12th, 2024 Issues addressed in this release Developer Community Microsoft GDK for Xbox builds all fail with VS 2019 16.11.41 servicing release Visual Studio 2019 version 16.11.41 released October 8th, 2024 Issues addressed in this release Security advisories addressed CVE-2024-43603 Denial of Service Vulnerability in Visual Studio Collector Service CVE-2024-43590 Elevation of Privilege Vulnerability in Visual Studio C++ Redistributable Installer Visual Studio 2019 version 16.11.40 released September 10th, 2024 Issues addressed in this release Security advisories addressed CVE-2024-35272 SQL Server Native Client OLE DB Provider Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.39 released August 13th, 2024 Issues addressed in this release IntelliCode model update, so users will get the models directly and are no longer dependent on backend services for downloads. Security advisories addressed CVE-2024-29187 (Republished) - WiX based installers are vulnerable to binary hijack when run as SYSTEM Visual Studio 2019 version 16.11.38 released July 9th, 2024 Issues addressed in this release Version 6.2 of AzCopy is no longer distributed as part of the Azure Workload in Visual Studio due to deprecation. The latest supported release of AzCopy can be downloaded from Get started with AzCopy . Update MinGit to v2.45.2.1 that includes GCM 2.5 which addresses an issue with the previous GCM version where it reported an error back to Git after cloning and made it appear like the clone had failed. Visual Studio 2019 version 16.11.37 released June 11th, 2024 Issues addressed in this release After upgrading to Germanium build of Windows, WSL requires a manual upgrade. This can cause Visual Studio to hang when opening CMake projects. Security advisories addressed CVE-2024-30052 Remote Code Execution when debugging dump files that contain a malicious file with an appropriate extension CVE-2024-29060 Elevation of Privilege where affected installation of Visual Studio is running CVE-2024-29187 WiX based installers are vulnerable to binary hijack when run as SYSTEM Visual Studio 2019 version 16.11.36 released May 14th, 2024 Issues addressed in this release This release includes an OpenSSL update to v3.2.1 Security advisories addressed CVE-2024-32002 Recursive clones on case-insensitive filesystems that support symlinks are susceptible to Remote Code Execution. CVE-2024-32004 Remote Code Execution while cloning special-crafted local repositories Visual Studio 2019 version 16.11.35 released April 9th, 2024 Issues addressed in this release With this bug fix, a client can now use the bootstrapper in a layout and pass in the --noWeb parameter to install on a client machine and ensure that both the installer and the Visual Studio product are downloaded only from the layout. Previously, sometimes during the installation process, the installer would not respect the -noWeb parameter and would try to self-update itself from the web. Security advisories addressed CVE-2024-28929 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28930 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28931 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28932 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28933 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28934 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28935 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28936 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28937 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28938 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28941 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28943 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-29043 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. Visual Studio 2019 version 16.11.34 released February 13th, 2024 Issues addressed in this release Developer Community fatal error C1001: Internal compiler error VS2022 is using too old node.js version 16 - any plans to upgrade? Security advisories addressed CVE-2024-0057 A security feature bypass vulnerability exists when Microsoft .NET Framework-based applications use X.509 chain building APIs but do not completely validate the X.509 certificate due to a logic flaw. Visual Studio 2019 version 16.11.33 released January 9th, 2024 Issues Addressed in this release Updated MinGit to v2.43.0.1 which comes with OpenSSL v3.1.4 and addresses a regression where network operations were really slow under certain circumstances. Security Advisories Addressed CVE-2024-20656 A vulnerability exists in the VSStandardCollectorService150 service, where local attackers can escalate privileges on hosts where an affected installation of Microsoft Visual Studio is running. CVE-2023-32027 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32025 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32026 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-29356 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32028 This advisory is republished to address a Microsoft SQL OLE DB Remote Code Execution vulnerability in Visual Studio. CVE-2023-29349 This advisory is republished to address a Microsoft ODBC and OLE DB Remote Code Execution vulnerability in Visual Studio. Visual Studio 2019 version 16.11.32 released November November 14th, 2023 Issues Addressed in this release Developer Community Rename Solution Folder in VS2019 results in Object Reference error Security Advisories Addressed CVE-2023-36042 A denial of service vulnerability exists in Visual Studio where a malformed decorated name can result in an infinite loop. Visual Studio 2019 version 16.11.31 released October 10th, 2023 Issues Addressed in this release Updated version of Git used by Visual Studio to v 2.41.0.3. Visual Studio 2019 version 16.11.30 released September 12th, 2023 Issues Addressed in this release Security Advisories Addressed CVE-2023-36796 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36794 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36793 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36792 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36759 This security update removes pgodriver.sys, where reading a malicious file can lead to Elevation of Privilege Visual Studio 2019 version 16.11.29 released August 8th, 2023 Issues Addressed in this release Addressed an issue where VSWhere's all switch would not return instances in an un-launchable state. Security Advisories Addressed CVE-2023-36897 Visual Studio 2010 Tools for Office Runtime Spoofing Vulnerability This security update addresses a vulnerability where unauthenticated remote attacker can sign VSTO Add-ins deployments without a valid code signing certificate. Visual Studio 2019 version 16.11.28 released July 25th, 2023 Issues Addressed in this release error in creating project in web application Visual Studio 2019 version 16.11.27 released June 13th, 2023 Issues Addressed in this release ActiveX Control Variable wizard will generate ActiveX properties as well as functions, restoring the functionality from Visual Studio 2015. As part of this update, to address CVE-2023-27909, CVE-2023-27910, and CVE-2023-27911, we are removing .fbx and .dae support. This is a third-party x86 component that is no longer supported by the author. Affected users should use the fbx editor . Developer Community JSON Schemas don't work with localized Visual Studio JumpThreading Fix for JT value numbering invalidation Security Advisories Addressed CVE-2023-24897 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in the MSDIA SDK where corrupted PDBs can cause heap overflow, leading to a crash or remote code execution. CVE-2023-25652 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability where specially crafted input to git apply –reject can lead to controlled content writes at arbitrary locations. CVE-2023-25815 Visual Studio Spoofing Vulnerability This security update addresses a vulnerability where Github localization messages refer to a hard-coded path instead of respecting the runtime prefix that leads to out-of-bound memory writes and crashes. CVE-2023-29007 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which a configuration file containing a logic error results in arbitrary configuration injection. CVE-2023-29011 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which the Git for Windows executable responsible for implementing a SOCKS5 proxy is susceptible to picking up an untrusted configuration on multi-user machines. CVE-2023-29012 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which the Git for Windows Git CMD program incorrectly searches for a program upon startup, leading to silent arbitrary code execution. CVE-2023-27909 Visual Studio Remote Code Execution Vulnerability This security update addresses an Out-Of-Bounds Write Vulnerability in Autodesk® FBX® SDK where version 2020 or prior may lead to code execution through maliciously crafted FBX files or information disclosure. CVE-2023-27910 Visual Studio Information Disclosure Vulnerability This security update addresses a vulnerability where a user may be tricked into opening a malicious FBX file that may exploit a stack buffer overflow vulnerability in Autodesk® FBX® SDK 2020 or prior which may lead to remote code execution. CVE-2023-27911 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability where a user may be tricked into opening a malicious FBX file that may exploit a heap buffer overflow vulnerability in Autodesk® FBX® SDK 2020 or prior which may lead to remote code execution. CVE-2023-33139 Visual Studio Information Disclosure Vulnerability This security update addresses a OOB vulnerability where the obj file parser in Visual Studios leads to information disclosure. Visual Studio 2019 version 16.11.26 released April 11th, 2023 Issues Addressed in this release Fixed an issue in IIS Express that could cause a crash when updating telemetry data. Fixed a crash when invalid input is sent to the driver used during PGO training for kernel mode drivers. Developer Community iisexpress crashes in ntdll.dll Security Advisories Addressed CVE-2023-28296 Visual Studio Remote Code Execution Vulnerability CVE-2023-28299 Visual Studio Spoofing Vulnerability CVE-2023-28262 Visual Studio Elevation of Privilege Vulnerability CVE-2023-28263 Visual Studio Information Disclosure Vulnerability Visual Studio 2019 version 16.11.25 released March 14th, 2023 Issues Addressed in this release Git 2.39 has renamed the value for credential.helper from "manager-core" to "manager". See https://aka.ms/gcm/rename for more information. Updates to mingit and Git for Windows package to v2.39.2, which addresses CVE-2023-22490 Security Advisories Addressed CVE-2023-22490 Mingit Remote Code Execution Vulnerability CVE-2023-22743 Git for Windows Installer Elevation of Privilege Vulnerability CVE-2023-23618 Git for Windows Remote Code Execution Vulnerability CVE-2023-23946 Mingit Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.24 released February 14th, 2023 Issues Addressed in this release Updated CPython interpreter to version 3.9.13. Updated mingit and Git for Windows package to v2.39.1.1, which addresses CVE-2022-41903 Security Advisories Addressed CVE-2023-21566 Visual Studio Installer Elevation of Privilege Vulnerability CVE-2023-21567 Visual Studio Denial of Service Vulnerability CVE-2023-21808 .NET and Visual Studio Remote Code Execution Vulnerability CVE-2023-21815 Visual Studio Remote Code Execution Vulnerability CVE-2023-23381 Visual Studio Code Remote Code Execution Vulnerability CVE-2022-23521 gitattributes parsing integer overflow CVE-2022-41903 Heap overflow in git archive , git log --format leading to RCE CVE-2022-41953 Git GUI Clone Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.23 released January 10th, 2023 Security Advisories Addressed CVE-2023-21538 .NET Denial of Service Vulnerability A denial of service vulnerability exists in .NET 6.0 where a malicious client could cause a stack overflow which may result in a denial of service attack when an attacker sends an invalid request to an exposed endpoint. Visual Studio 2019 version 16.11.22 released December 13th, 2022 Security Advisories Addressed CVE-2022-41089 Remote Code Execution A remote code execution vulnerability exists in .NET Core 3.1, .NET 6.0, and .NET 7.0, where a malicious actor could cause a user to run arbitrary code as a result of parsing maliciously crafted xps files. Visual Studio 2019 version 16.11.21 released November 8th, 2022 Issues Addressed in this release Added conditional guards to fix incorrect references in AMD64 optimizations for boost, stl_interfaces. Security Advisories Addressed CVE-2022-41119 Remote Code Execution Heap Overflow Vulnerbaility in Visual Studio CVE-2022-39253 Information Disclosure Local clone optimization dereferences symbolic links by default Visual Studio 2019 version 16.11.20 released October 11, 2022 Issues Addressed in this release Made Resource View appear more reliably for projects that are reloaded Administrators will be able to update the VS Installer on an offline client machine from a layout without updating VS. Security Advisories Addressed CVE-2022-41032 .NET Elevation of Privilege Vulnerability A vulnerability exists in .NET 7.0.0-rc.1, .NET 6.0, .NET Core 3.1, and NuGet clients (NuGet.exe, NuGet.Commands, NuGet.CommandLine, NuGet.Protocol) where a malicious actor could cause a user to execute arbitrary code. Visual Studio 2019 version 16.11.19 released Septemenber 13, 2022 Issues Addressed in this release Made Resource View appear more reliably for projects that are reloaded Security Advisories Addressed CVE-2022-38013 .NET Denial of Service Vulnerability A denial of service vulnerability exists in ASP.NET Core 3.1 and .NET 6.0 where a malicious client could cause a stack overflow which may result in a denial of service attack when an attacker sends a customized payload that is parsed during model binding. Visual Studio 2019 version 16.11.18 released August 9th, 2022 From Developer Community Coded UI in VS2019 - VS crashing when opening and/or expanding UI maps Launching multiple startup projects fails with the error message Security Advisories Addressed CVE-2022-34716 .NET Information Disclosure Vulnerability An information disclosure vulnerability exists in .NET 6.0 and .NET Core 3.1 that could lead to unauthorized access of privileged information. CVE-2022-31012 Remote Code Execution Git for Windows' installer can be tricked into executing an untrusted binary CVE-2022-29187 Elevation of Privilege Malicious users can create a .git directory in a folder that is owned by a super-user CVE-2022-35777 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap overflow Vulnerability CVE-2022-35825 Remote Code Execution Visual Studio 2022 Preview Fbx File parser OOBW Vulnerability CVE-2022-35826 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap overflow Vulnerability CVE-2022-35827 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap OOBW Vulnerability Visual Studio 2019 version 16.11.17 released July 12, 2022 Issues Addressed in this release Updated LibraryManager to accommodate changes to cdnjs API From Developer Community Crash with ASAN and setmaxstdio Visual Studio 2019 version 16.11.16 released June 14, 2022 From Developer Community IntelliSense issues with C++ on VS 2019 v16.11.6 or newer, including VS 2022 17.0.5, 17.0.6 and 17.1.0 Security Advisories Addressed CVE-2022-30184 .NET Information Disclosure Vulnerability A vulnerability exists in .NET 6.0 and .NET Core 3.1 within NuGet where a credential leak can occur. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.15 released May 17, 2022 Issues Addressed in this release Fixed connections for Azure SQL Managed Instance in SQL Server Data Tools, including Schema Compare and SQL Server explorer. Note: Support for Azure Arc enabled Managed Instance is pending a future release ( In the Community ) From Developer Community Is SSDT Schema Compare broken for Azure DB Managed Instance connections? Visual Studio 2019 version 16.11.14 released May 10, 2022 Issues Addressed in this release Added the implementation for the remaining C++20 defect reports (a.k.a. backports). All C++20 features are now available under the /std:c++20 switch. For more information about the implemented backports, please see C++20 Defect Reports project on microsoft/STL GitHub repository and this blogpost Updated Git for Windows version consumed by Visual Studio and installable optional component to 2.36.0.1 Fixed an issue with git integration, where if pulling/synchronizing branches that have diverged, output window would not show a localized hint on how to resolve it. From Developer Community Visual Studio 2019 creates bad key vault secret value while configuring Azure Cloud Service remote desktop, breaking VS UI Security Advisories Addressed CVE-2022-29117 .NET Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can manipulate cookies and cause a Denial of Service. CVE-2022-23267 .NET Core Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can cause a Denial of Service via excess memory allocations through HttpClient. CVE-2022-29145 .NET Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can can cause a Denial of Service when HTML forms are parsed. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.13 released April 19, 2022 Issues Addressed in this release Fixed vctip.exe regression from 16.11.12 Fixed a bug that prevented some applications built with Address Sanitizer (ASAN) to load in Windows 11. Fixed another ASAN issue where multi-threaded applications with heap contention may experience deadlocks, false "wild pointer freed" reports, or a deadlock during process exit. Visual Studio 2019 version 16.11.12 released April 12, 2022 Issues Addressed in this release Fixed an issue that would cause some animations for test execution to run in the background even when the associated test executions were complete. This causes slowdowns that were especially noticeable on high refresh rate monitors. The fix should improve the experience of using VS on high refresh rate monitors. Removed an unnecessary warning when connecting to a LiveShare server that didn't offer certain functionality used by the client. From Developer Community Optimized Qt applications crash on startup on ARM64 I get an error Live Share: The user of the output channel works with limited functionality due to the absence of a dependent service. Find in IVsTextImage does not work in VisualStudio 2019 Security Advisories Addressed CVE-2022-24765 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists in Git for Windows, in which Git operations could run outside a repository while seraching for a Git directory. Git for Windows is now updated to version 2.35.2.1. CVE-2022-24767 DLL hijacking vulnerability A potential DLL hijacking vulnerability exists in Git for Windows installer, when running the uninstaller under the SYSTEM user account. Git for Windows is now updated to version 2.35.2.1. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.11 released March 8, 2022 Issues Addressed in this release Fixed an issue with remote debugging, especially affecting Azure App Service, where authentication failures would sometimes fail with 'The connection with the remote endpoint was terminated' and Visual Studio would not prompt for credentials. Improved performance on high refresh rate monitors. From Developer Community Internal compiler error in fold expression with += operator on 16.11 consteval constructor and C7595 cl does not make special member functions implicitly constexpr Can't have freestanding requires expressions There are no configured extension galleries in VS 2019 Sql Server object explorer does not show indexes SQL project does not build if it has File storage tables Security Advisories Addressed CVE-2020-8927 Vulnerability A Remote code Execution vulnerability exists in .NET 5.0 and .NET Core 3.1 where a buffer overflow exists in the Brotli library versions prior to 1.0.8. CVE-2022-24464 Vulnerability A denial of service vulnerability exists in .NET 6.0, .NET 5.0, and .NET CORE 3.1 when parsing certain types of http form requests. CVE-2022-24512 Vulnerability A Remote Code Execution vulnerability exists in .NET 6.0, .NET 5.0, and .NET Core 3.1 where a stack buffer overrun occurs in .NET Double Parse routine. CVE-2021-3711 OpenSSL Buffer Overflow vulnerability A potential buffer overflow vulnerability exists in OpenSSL, which is consumed by Git for Windows. Git for Windows is now updated to version 2.35.1.2, which addresses this issue. Visual Studio 2019 version 16.11.10 released February 8, 2022 Issues Addressed in this Release Fixed an issue that has caused sporadic C++ linker crashes. Silent bad codegen issue with x64. An issue that prevented files from being deleted while they were being processed by background C++ static analysis. Resolved an issue in C++ ATL CString equality operator under C++20 mode. Fixed an issue that could have prevented an initializer from running in a load test scenario. From Developer Community Missing comparison operators between LPCWSTR and CString in VS 16.11.8 x64 optimizer bug VC++2019 16.11.4 Security Advisories Addressed CVE-2022-21986 Vulnerability A Denial of Service vulnerability exists in .NET 5.0 and .NET 6.0 when the Kestrel web server processes certain HTTP/2 and HTTP/3 requests. Visual Studio 2019 version 16.11.9 released January 11, 2022 Issues Addressed in this Release Fixed an issue with being unable to debug applications multiple times when Windows Terminal is used as the default terminal. Setup fix to unblock customers on restricted configurations Fixed an issue that prevented a client from being able to update a more current bootstrapper. Once the client is using the bootstrapper and installer that shipped January 2022 or later, all updates using subsequent bootstrappers should work for the duration of the product lifecycle. Addressed occasional instance where VSInstr would not exit when instrumenting a binary with volatile metadata causing Instrumentation Profiling to fail. Fixed an issue were compiling C++ code with very large functions using /Og or #pragma optimize("g") can generate invalid code (bad codegen) Fixed a bug in C++ Concurrency::parallel_for_each that was crashing the calling process due to integer overflow From Developer Community Console application runs only once when the Windows Terminal is selected as Default Terminal Application Visual Studio 2019 version 16.11.8 released December 14, 2021 Issues Addressed in this Release Bidirectional text control character rendering To prevent a potentially malicious exploit that allows code to be misrepresented, the Visual Studio editor will no longer allow bidirectional text control characters to manipulate the order of characters on the editing surface. A new option will cause these bidirectional text control characters to be shown with placeholders. The bidirectional text control characters will still be present in the code as this behavior only impacts what is rendered in the code editor. This functionality is controlled in Tools\Options. Under the Text Editor\General page there is an option for “Show bidirectional text control characters”, which will be checked by default. When checked, all bidirectional text control characters will be rendered as placeholders. Unchecking the option will revert to the previous behavior where these characters are not rendered. A Unicode character is considered a bidirectional text control character if it falls into any of the following ranges: U+061c, U+200e-U+200f, U+202a-U+202e, U+2066-U+2069. Corrected an issue in C++ compiler where a templated destructor involved in a class hierarchy with data member initializers may be instantiated too early, potentially leading to incorrect diagnostics about uses of undefined types or other errors. Fixed an issue in ATL's CString comparisions under C++20 and C++Latest language modes. Added Python 3.9.7 to Python workload. Removed Python 3.7.8 due to a security vulnerability. From Developer Community Referenced DacPac file causes deployment to process refactorlog even if IncludeCompositeObjects is false CString with spaceship operator <=> returns incorrect result (affects std::map, std::set, etc.) Visual Studio sqldb project unable to create primary key with (statistics_incremental = on) on table Template inheritance sometimes forces improper instantiation. Visual Studio 2019 freezes when comparing aspx/aspx.vb files Microsoft.Azure.Compute.Emulator.EXE will not be updated Security Advisories Addressed CVE-2021-43877 .NET Vulnerability An elevation of privilege vulnerability exists in ANCM which could allow elevation of privilege when .NET core, .NET 5 and .NET 6 applications are hosted within IIS. CVE-2021-42574 Bidirectional Text Vulnerability Bidirectional text control characters can be used to cause code to be rendered in the editor differently from what is contained on disk. Visual Studio 2019 version 16.11.7 released November 16, 2021 Issues Addressed in this Release Adds Xcode 13.1 support. The bootstrappers now respect the --useLatestInstaller parameter, which causes the latest installer to be integrated into layout. This latest installer, which ships with Visual Studio 2022, enables the scenario where enterprises want to transition their clients from one layout location to another. For more information, refer to the [Visual Studio Administrators Guide](* The bootstrappers now respect the --useLatestInstaller parameter, which causes the latest installer to be integrated into layout. This latest installer, which ships with Visual Studio 2022, enables the scenario where enterprises want to transition their clients from one layout location to another. For more information, refer to the Visual Studio Administrators Guide .). Fixed an issue wehre WAP projects would not appear in the startup projects tool bar combo box. Fixed issue with Windows Application Projects (WAP) where, in certain circumstances, final application bundle contains wrong binaries. Prevent opening "Team Explorer > Manage Connections" or "Git Changes" windows from causing TFVC solutions to be unloaded. From Developer Community Starting Version 16.8.0 up to 16.9.1 becomes unresponsive and restarts frequently IntelliSense error with std::source_location::current() Visual Studio 2019 version 16.10 - UWP - Xamarin: Runtime exception 'Could not load file or assembly' after updating to Visual Studio 16.10 Visual Studio 2019 version 16.11.3 - Packaging UWP application fails 16.11.6: Package 'AndroidImage_x86_API125_Private,version=10.0.0.3' failed to install Visual Studio 2019 version 16.11.6 released November 09, 2021 Issues Addressed in this Release Address occasional instance where VSInstr would not exit when instrumenting a binary with volatile metadata. Fix for "value of range" errors when using C++ IntelliSense. Under certain conditions with an international locale selected fsi would crash when run from Visual Studio. This release fixes the issue and fsi should now operate correctly. Fixes an issue that could cause Visual Studio to build, debug, or run tests against binaries that weren't brought up to date with your latest code changes. Fixes a thread pool leak during Cloud Services local debugging. Add support for Android 12 APIs. Fixes a potential deadlock when closing Performance Profiler or Diagnostic Tools on Windows Server machines. Fixes a delay in VS startup. Security Advisories Addressed CVE-2021-42319 Elevation of Privilege Vulnerability An Elevation of Privilege vulnerability exists in the WMI Provider that is included in the Visual Studio installer. CVE-2021-42277 Diagnostics Hub Standard Collector Service Elevation of Privilege Vulnerability An elevation of privilege vulnerability exists when the Diagnostics Hub Standard Collector incorrectly handles file operations. Visual Studio 2019 version 16.11.5 released October 12, 2021 Issues Addressed in this Release Security Advisories Addressed CVE-2020-1971 OpenSSL Denial of Service Vulnerability A potential denial of service vulnerability exists in OpenSSL library, which is consumed by Git. CVE-2021-3449 OpenSSL Denial of Service Vulnerability A potential denial of service vulnerability exists in OpenSSL library, which is consumed by Git. CVE-2021-3450 OpenSSL Denial of Service Vulnerability A potential flag bypass exists in OpenSSL library, which is consumed by Git. CVE-2021-41355 .NET Disclosure Vulnerability An Information Disclosure vulnerability exists in .NET where System.DirectoryServices.Protocols.LdapConnection sends credentials in plain text on Linux. Visual Studio 2019 version 16.11.4 released October 05, 2021 Issues Addressed in this Release Windows 11 SDK support. Add AMD64 math functions to ARM64X CRT. Updates to the ARM64 and ARM64EC interfaces between the binary and the POGO instrumentation runtime. Fixed several problems with IntelliSense responsiveness and correctness affecting C++20 concepts, ranges, and abbreviated function templates. Fixed a false positive in local lifetime checks. Corrected an issue where arrays allocated with a constant of size > 32bits could allocate less memory than requested. Ensures that ATL string initialization occurs during static variable initialization, in the default AppDomain. Fixed a bug in C++ Concurrency::parallel_for_each that was crashing the calling process due to integer overflow. Fixed a bug in the STL's iterator debugging machinery that could cause crashes in multithreaded programs using STL containers. We have fixed a fatal internal compiler error caused by unnamed structs whose fields are referenced from SAL annotations. Fixes a rare crash when analyzing templated code that uses __uuidof. Fixed an issue that caused C++ static analysis results to sometimes not display correctly in the FixIt action. Fixed opening .uitest extension files in Coded UI project Fire component change events for non-component objects also in WinForms .NET designer Fix for crash on deleting ContextMenuStrip control in Windows Forms .NET designer. Guard against crashes when the Windows Forms designer reloads when dragging. Fix for intermittent VS crash while interacting with WinForms .NET designer during solution or project rebuild. Fixed a bug causing .NET 5 projects to be reported as out of date when they should have been up to date, causing slower builds. Automatically disable asset-indexing for large scale Unity projects. Adds Xcode 13.0 support. This release fixes an issue with deploying certain Windows Application Packaging projects where deployment is unnecessarily copying unmodified files. From Developer Community Comparing CComPtr with CComPtr results in an error Structured binding in lambda in lambda cause a invalid compile error Bad codegen with operator new WinARM64 Build Failures with MFC/ATL Link issues after migrating from VS 16.8.6 to VS 16.9.5 The unity codelens provider still requires a huge amount of memory and could be OOMed in large scale Unity project in version 16.11. Error C3493 with /std:c++latest using structured binding in Lambda Visual Studio 2019 version 16.11.3 released September 14, 2021 Issues Addressed in this Release Fixed missing "Remote Device" debug target for Xamarin iOS projects. Fixed a bug that caused a start menu shortcut link to disappear. The bug only happened when updating multiple instances of different product SKUs on the same machine. From Developer Community Visual Studio UI unresponsive when too much build log output during build (eg: diagnostic verbosity) Live Unit Testing Crashes on start up "Remote device" not listed in devices Designer crashes for 32-bit apps whenever you scroll wheel over it Security Advisories Addressed CVE-2021-26434 Visual Studio Incorrect Permission Assignment Privilege Escalation Vulnerability A permission assignment vulnerability exists in Visual Studio after installing the Game development with C++ and selecting the Unreal Engine Installer workload. The system is vulnerable to LPE during the installation it creates a directory with write access to all users. Visual Studio 2019 version 16.11.2 released August 25, 2021 Issues Addressed in this Release Fixed an issue where CMake cache generation would fail, which blocked IntelliSense, build, and debug. Fixed warning "Evaluating the function 'System.Diagnostics.TraceInternal.Listeners.get' timed out and needed to be aborted in an unsafe way" when starting debugging on some .NET and dotnet Core application. From Developer Community CMake cache generation "hangs" after upgrade from vs2019 16.11.0 to 16.11.1 Could not find any resources appropriate for the specified culture or the neutral culture. Make sure "Microsoft.VisualStudio.Data.Providers.SqlServer Build Selection stopped working VS 16.11 Visual Studio 2019 version 16.11.1 released August 16, 2021 Issues Addressed in this Release Fixes an issue installing the Microsoft.VisualStudio.ScriptedHost.Registry package during Visual Studio installation, which would cause the entire installation to fail. Unblocked Adding a new SSH Connection through Tools Options From Developer Community PackageId:Microsoft.VisualStudio.ScriptedHost.Registry;PackageAction:Install;ReturnCode:635 Visual Studio 2019 version 16.11.0 released August 10, 2021 Summary of What's New in this Release of Visual Studio 2019 version 16.11.0 Updated Help Menu Updated menu highlights Get Started material and helpful Tips/Tricks. It also provides access to Developer Community, Release Notes, the Visual Studio product Roadmap, and our Social Media pages. New My Subscription menu item allows developers to make the most out of their subscriptions through benefit awareness and additional information! Git tooling Access additional actions from the overflow menu in the branch picker in Git Changes window and status bar. Hover over a branch name to see last commit details in a tooltip. Access additional actions in the repository picker overflow menu from the status bar. Hover over a repository name to see repository details such as local path and remote URL. C++ LLVM tools shipped with Visual Studio have been upgraded to LLVM 12. See the LLVM release notes for details. Clang-cl support was updated to LLVM 12. Setup Fixed an issue that affected command line execution of the update command. If the update fails the first time, a subsequent issuing of the update command now causes the update to resume the prior operation where it left off. .NET Hot Reload .NET Hot Reload User Experience for editing managed code at runtime. Details of What's New in this Release of Visual Studio 2019 version 16.11.0 .NET Hot Reload User Experience for editing managed code at runtime In this release we are excited to make available the first release of the new Hot Reload user experience when editing code files for applications such as WPF, Windows Forms, ASP.NET Core, Console, etc. With Hot Reload you can | 2026-01-13T08:48:12 |
https://dev.to/lparvinsmith/web3js-vs-ethersjs-a-comparison-of-web3-libraries-2ap5#calling-contract-method | web3.js vs ethers.js: a Comparison of Web3 Libraries - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Lara Parvinsmith Posted on Mar 3, 2022 web3.js vs ethers.js: a Comparison of Web3 Libraries # web3 # ethereum # javascript # blockchain Both web3.js and ethers.js are JavaScript libraries that enable frontend apps to interact with the Ethereum blockchain, including smart contracts. If you're building an app that reads or writes to the blockchain from the client, you'll need to use one of these libraries. They have similar functionality, but an important question is how they will be maintained and grow with the emerging dapp ecosystem. Quantitative comparison web3.js ethers.js Date of first release Feb 2015 Jul 2016 GitHub stars 13.4k 4k GitHub contributors* 16** 1 Bundle size*** 590.6kB 116.5kB *GitHub contributors from March 1, 2021 to March 1, 2022 **16 contributors, but only 2 had more than 10 commits in the one year period ***Bundle size from bundlephobia , value of minified and gzipped package. API differences While web3.js provides a single instantiated web3 object with methods for interacting with the blockchain, ethers.js separates the API into two separate roles. The provider , which is an anonymous connection to the ethereum network, and the signer , which can access the private key and sign the transactions. The ethers team intended this separation of concerns to provide more flexibility to developers. Side-by-side examples Below are some examples of common functions a developer would include in their dapp. You'll see they offer the same functionality, with some slight differences of API. Instantiating provider with MetaMask wallet web3 const web3 = new Web3(Web3.givenProvider); ethers const provider = new ethers.providers.Web3Provider(window.ethereum) Getting balance of account web3 const balance = await web3.eth.getBalance("0x0") ethers (supports ENS!) const balance = await provider.getBalance("ethers.eth") Instantiating contract web3 const myContract = new web3.eth.Contract(ABI, contractAddress); ethers const myContract = new ethers.Contract(contractAddress, ABI, provider.getSigner()); Calling contract method web3 const balance = await myContract.methods.balanceOf("0x0").call() ethers const balance = await myContract.balanceOf("ethers.eth") So which should I pick for my project? Given the details above, web3.js looks like the go-to choice, with a longer history and more maintainers. However, ethers.js seems just as reliable and includes some differentiating perks such as size and additional features. Most other articles on this subject conclude that you could easily pick either, depending on what you're looking for. I too hesitate to recommend one over the other. But as the ecosystem evolves, it is important to me to pick the library that will be most flexible and supported by other libraries. Ecosystem factors Which will be the most supported by open source libraries? As the dapp ecosystem grows, which of the two libraries will be the most compatible with other open source libraries you want to bring into your app? In my limited experience, as this is still an emerging area for development, there are a couple libraries that require ethers.js to use the framework. Examples include web3-react and NFT Swap SDK . I have not yet seen libraries that require web3.js. Which will have a solution for mocking for end-to-end testing? Implementing end-to-end testing for web3 features is a challenge. This is partly because most tools, like Cypress , run your tests in a Chromium browser that does not support browser extensions. Developers need an easy way to mock Ethereum providers or the web3/ethers instance to use inside their test environments. So far, I haven't seen any libraries that help solve this. But if there were a tool that helped mock providers for testing, and only worked with ethers for example, that would be enough for me to choose ethers over web3. Which library do you prefer, web3.js or ethers.js? Are there any tools in the ecosystem I'm overlooking? Let me know in the comments! Top comments (4) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Leland Holmes Leland Holmes Leland Holmes Follow IT Project Manager & Business Consultant Joined Sep 20, 2024 • Sep 20 '24 Dropdown menu Copy link Hide Hi, @everyone We are seeking a talented and experienced Blockchain Developer to join our dynamic team. As a Blockchain Developer, you will be responsible for driving the development and execution of our Decentralized Exchange (DEX) platform. The ideal candidate will possess a deep understanding of blockchain technology, strong project management skills, and a passion for building decentralized applications (dApps). If you are interested in this job, you can check our project. bitbucket.org/0xky43/ultrax-dex/src/main Use node version over 18.20.4. Our Team Leader will ask to you about this project. And for testing your coding skills, you should fix the some errors of this project. Afterwards, you can contact " t.me/VEProf " with project screenshots of the fixed issues. And then you will discuss more details with him what you have to do. Thanks Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Pavel Svitek Pavel Svitek Pavel Svitek Follow 3x CTO, 10+ years as full-stack web dev. ReactJS/VueJS/NodeJS/Typescript/Python. Interested in Fintech/Web3/DeFi/AI/IPFS/Ethereum Location Zurich, Switzerland Work CTO Joined Dec 30, 2018 • Aug 3 '22 Dropdown menu Copy link Hide Have you seen any updates rg. wallet testing (mocking) with ethers.js or wagmi? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand J.D. Bertron J.D. Bertron J.D. Bertron Follow Founder and CEO at BqETH.com Work Founder and CEO at BqETH.com Joined Jun 19, 2022 • Sep 24 '22 Dropdown menu Copy link Hide Thank you so much for this. Like comment: Like comment: Like Comment button Reply Collapse Expand sacru2red sacru2red sacru2red Follow Joined Jun 24, 2022 • Jun 24 '22 Dropdown menu Copy link Hide thank you Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Lara Parvinsmith Follow Work Software Engineer Joined Aug 16, 2019 More from Lara Parvinsmith Signatures as Authentication in Web3 # ethereum # blockchain # web3 # cryptography Web3: the unique technology and challenges behind the hype # web3 # blockchain # ux # ethereum Easiest way to deploy your Ethereum Smart Contract # blockchain # solidity # ethereum # smartcontract 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Ffeatures%2Fmodels | Sign in to GitHub · GitHub Skip to content 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 Sign in to GitHub {{ message }} --> Username or email address Password Forgot password? Uh oh! There was an error while loading. Please reload this page . New to GitHub? Create an account Sign in with a passkey Terms Privacy Docs Contact GitHub Support Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:12 |
https://www.linkedin.com/shareArticle?mini=true&url=https%3A%2F%2Fdev.to%2Faskrishnapravin%2Ffor-loop-vs-map-for-making-multiple-api-calls-3lhd&title=for%20loop%20vs%20.map%28%29%20for%20making%20multiple%20API%20calls&summary=Comparison%20of%20for%2C%20for...in%2C%20for...of%20loop%20vs%20.map%28%29%20for%20making%20multiple%20API%20calls%20and%20the%20reason%20why%20map%20is%20faster.&source=DEV%20Community | LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) | 2026-01-13T08:48:12 |
https://linktr.ee/products/earn/digital-products | Sell Digital Products Easily With Linktree – Fast & Profitable Setup We’ve made some changes to our Privacy Notice and Terms and Conditions to address upcoming features and to give you more clarity on how we collect and use your information. Products Link in bio + tools Manage your social media Grow and engage your audience Monetize your following Measure your success Link in bio + tools Link in bio Customize your Linktree Link shortener Create trackable, shareable short links QR code generator Turn links into scannable QR codes Canva Background Editor Import your custom designs from Canva into your profile Linktree for every social platform Grow and engage your audience everywhere Featured Join 70M+ using Linktree as their link in bio One link to share everything you create, curate, and sell across all your socials. Manage your social media Schedule and auto-post Hands-free, hassle-free social media planning Instagram auto reply Automated replies and DMs triggered by comments AI content & caption generator Instant AI-powered post ideas and captions Hashtag generator Trending hashtag suggestions for better reach Social integration for every social platform Plan, auto post, and share across all platforms What’s New Boost sales with Instagram Auto-reply Instantly reply to comments, send traffic to your offers, and turn engagement into sales—automatically. Grow and engage your audience Collect leads with contact forms Turn visitors into subscribers Manage and activate your audience Organize, tag, and track contacts Send contacts to email tools Sync with Mailchimp, Klaviyo, Kit & more Featured Connect your email tools, activate your audience Send new contacts straight from Linktree to Mailchimp, Klaviyo, Kit and more. Monetize your following Earn with a Linktree Shop Sell products and earn commission Sell an online course Create and sell your expertise easily Host digital products Sell digital products and build your email list Earn by hosting sponsored links Share brand offers and earn for every sign-up or sale Get rewarded for growing your Linktree Earn points, level up and unlock cash bonuses Booked and paid, easily Offer sessions and earn from your expertise Featured Turn Your Linktree into a Storefront That Pays Add affiliate products, share what you love, and start earning in minutes with industry-leading commissions. Measure your success Social + link analytics Track clicks, engagement and audience insights Featured Grow engagement with analytics Make data-driven decisions for your Linktree and social media platforms with analytics that are easy to understand. Templates Marketplace Learn Resources How to use Linktree Resources Read our blog All the latest tips, tricks and growth strategies Success Stories Real people, real results on Linktree Learn with Linktree Create & sell your own online Course If you’ve got something to share, you’ve got something to sell. Easily create and share an online course that... How to use Linktree Linktree Help Centre Get answers, guides and support Learn with Linktree Create & sell your own online Course If you’ve got something to share, you’ve got something to sell. Easily create and share an online course that... Pricing Log in Sign up free Get 33% Off Pro MoNEY-MAKING TOOLS Sell, share &
earn from digital products Monetize your expertise with ease – sell digital products, grow your audience and generate passive income, all from one seamless platform. Get started for free *Available in selected countries. See here for more details. Pro trial auto renews into paid plan. Cancel anytime. Turn your expertise into revenue Unlock a new revenue stream Generate income on autopilot by selling digital products. Create them once, then earn every time someone makes a purchase. Connect with your audience Seamlessly host and deliver digital products on your Linktree, making it easy for your audience to discover, access and purchase. Start selling in seconds It’s easy to get started selling digital products on Linktree. Create your content, get set up in seconds and start earning fast. Turn Ideas Into Income How to sell digital products Create and sell eBooks, workout guides, recipe books, templates, reports, and other valuable digital content, like planners and tutorials. Step 1: Upload your files to Linktree Add your files (PDF, JPEG, etc) to your Linktree. Whether you're offering an eBook, a workbook or a report, your audience can download it fast. Step 2: Set your conversion goal Decide how you want to distribute your digital product – monetize to earn revenue or offer it as a free download to grow your email list. Step 3: Share your digital product From your email list to your social media profiles, let your audience know your content is available for download. Step 4: Monitor engagement and optimize Track download activity and audience engagement using Linktree’s built-in analytics suite – then optimize your content to increase downloads. Get started for free sell digital products Boost sales with a seamless checkout. Collect payments for digital products with our optimized checkout, designed to increase conversions and allow customers to complete their purchase in seconds. Get started today no shipping required Give customers instant access to your product. Customers receive their digital products immediately after purchase with a download link sent straight to their inbox. Get started today GENERATE LEADS OR GENERATE SALES Turn your expertise into revenue. Sell your digital products directly to your audience or use them to generate leads by offering your content for free. Switch between these models anytime to suit your goals. Get started today Frequently asked questions What is a digital product? A digital product is a file that can be accessed and downloaded online. It typically includes digital content such as eBooks, guides, templates, reports, music and other media that can be instantly delivered to customers after purchase. Unlike physical products, digital products don’t require shipping and can be accessed immediately via a link sent to the buyer’s email inbox. How can a digital products be used? Digital products can help you achieve different goals: Lead capture: You can offer free products, like guides or templates, in exchange for things like email addresses. This helps you grow your audience or build a mailing list. Revenue generation: You can also sell your digital products, such as eBooks, workout plans or recipe books, to make money directly from your content. How do digital products work on Linktree? Digital products on Linktree allow you to upload and share files directly through your Linktree. This includes: File (PDF, DOCX, TXT) Image (JPG, JPEG, PNG, HEIC, GIF, BMP, SVG, WEBP, TIFF, RAW, EPS) Audio (MP3, M4A, WAV, AAC, FLAC, AIFF) Video (MP4, M4A, MOV)Design (PSD, InDesign, AI) Books (ePub) You can monetize these products or offer them for free in exchange for contact information, helping you grow your audience. How can I sell digital products on Linktree? You can sell your digital products by uploading your files to Linktree, setting up a payment option and sharing the download link with your audience. Linktree provides a streamlined checkout experience to help you collect payments easily. How can I use digital products for lead generation? You can offer digital products in exchange for visitor information, such as email addresses, phone numbers or any custom question. This allows you to build your mailing list and connect with your audience more effectively. Can I use Linktree’s digital products for my business? Absolutely! Whether you're a small business or a creator, Linktree’s digital products feature is designed to help you distribute content, grow your audience, and generate revenue with minimal setup. Jumpstart your corner of the internet today Oops! Something went wrong while submitting the form. Company The Linktree Blog Engineering Blog Marketplace What's New About Press Careers Link in Bio Social Good Contact Community Linktree for Enterprise 2023 Creator Report 2022 Creator Report Charities Creator Profile Directory Explore Templates Support Help Topics Getting Started Linktree Pro Features & How-Tos FAQs Report a Violation Trust & Legal Terms & Conditions Privacy Notice Cookie Notice Trust Center Cookies Preferences Transparency Report Law Enforcement Access Policy Human Rights Log in Get started for free We acknowledge the Traditional Custodians of the land on which our office stands, The Wurundjeri people of the Kulin Nation, and pay our respects to Elders past, present and emerging. Linktree Pty Ltd (ABN 68 608 721 562), 1-9 Sackville St, Collingwood VIC 3066 | 2026-01-13T08:48:12 |
https://dev.to/porus09/i-got-tired-of-guessing-jvm-performance-so-i-built-a-java-agent-from-scratch-2ab2 | I Got Tired of Guessing JVM Performance — So I Built a Java Agent From Scratch 🚀 - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Abhi Posted on Dec 17, 2025 I Got Tired of Guessing JVM Performance — So I Built a Java Agent From Scratch 🚀 # programming # webdev # tutorial # productivity Hey I am Abhishek Mule, I used to do what most backend developers do. When a Spring Boot app felt slow, I’d: 😵💫 Stare at logs until my eyes blurred. ⏱️ Add manual System.currentTimeMillis() timers everywhere. ☁️ Blame the database (it's always the DB, right?). 🙏 And just hope the JVM was behaving. Deep down, I knew the truth: I didn’t actually know what the JVM was doing. Instead of reading another "Top 10 Performance Tips" blog, I decided to do something uncomfortable. I built a JVM agent from scratch. This is the journey of vtracer . The Starting Point: Brutal Silence 🧩 Before this, terms like Instrumentation API and Bytecode transformation were just abstract concepts. When I started, I expected clear error messages. I was wrong. At one point, the JVM simply refused to load my agent. No errors. No stack traces. Just silence. That was Lesson #1: The JVM doesn’t owe you an explanation. If you mess up your bytecode transformer or a manifest entry, the JVM doesn't crash—it just ignores you and moves on. It’s a humbling experience to realize you're invisible to the very system you're trying to track. The 6-Day Build Journey 🛠️ Day 1: Breaking the Seal My only goal: Can I make the JVM acknowledge I exist? I wrote a premain method and finally saw a log line appear inside a target JVM. It felt like cracking open a sealed black box. I finally had an Instrumentation handle . Day 2: The "Explosion" of Reality 💥 I used ByteBuddy to intercept method entry and exit. Immediately, lesson #2 hit: Tracing everything is a disaster. My console became unusable—thousands of lines per second, a blur of text. The app was technically "working," but it was completely unobservable. The Takeaway: Real JVM tooling is about restraint , not power. If you can't filter the noise, you're just adding to the chaos. Day 3: Attaching to Raw Metal (No Restarts) 💉 Using the Attach API , I built a tool to find a running JVM by PID and inject the agent at runtime. No restart. No redeploy. When I attached it to a live Spring Boot app and saw Tomcat internals like Http11Processor.recycle() executing in real-time, it hit me: This is the exact same mechanism used by million-dollar APMs—just without the marketing and the shiny UI. I was finally touching the raw metal of the ecosystem. Day 4: Virtual Threads Aren't Magic 🪄 Java 21's Virtual Threads have massive potential, but they also have massive footguns. I wired a JFR RecordingStream to listen for jdk.VirtualThreadPinned events. I wrote intentionally bad code (a synchronized block inside a virtual thread), and the agent caught it instantly. Virtual threads don’t fix bad blocking—they expose it. Day 5: The Art of Sampling 📉 Tracing 100% of calls is irresponsible. I implemented Sampling (10% rate). This forced me to think like a systems engineer: predictable overhead, controlled allocations, and finding the "useful signal" in a sea of data. Day 6: Structured Reporting I added a Shutdown Hook and JSON output . Now, the agent leaves behind a structured report you can actually analyze, rather than a wall of text you have to scroll past. What vtracer is Today 📍 ✅ Runtime Attachment: No restarts required. ✅ Dynamic Instrumentation: Power of ByteBuddy. ✅ Smart Sampling: Minimal overhead (~2%). ✅ JFR Integration: Detecting Virtual Thread pinning. ✅ Structured JSON: Professional report generation. What vtracer will NEVER be: I’m not building a UI-heavy dashboard or an "AI-powered oracle." vtracer exists to understand the JVM, not to hide it. Why This Project Matters 💡 This project didn't just teach me APIs. It taught me how fragile instrumentation can be and how much is happening below the application code that we take for granted. The Reality Check: If you’ve never attached to a live JVM, you don’t really know Java—you know frameworks. Building this agent permanently changed how I debug, how I read stack traces, and how I think about performance. This project didn’t necessarily make me a "faster" developer. It made me more honest about what I don’t know. 🔗 The Code If you want to stop guessing and start observing, check the source: 👉 GitHub: abhishek-mule/vtracer Java Version: 21+ Status: Early, experimental, and very real. Learning the JVM, one uncomfortable problem at a time. ☕ Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Abhi Follow More than human Joined Nov 26, 2025 More from Abhi Building vtracer: Day 1 – My First Java Agent Adventure with Java 21 # webdev # programming # java # tutorial I Was Tired of Manual Video Editing — So I Built OmniVid Lite # webdev # ai # programming # javascript 💎 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 Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://www.linkedin.com/shareArticle?mini=true&url=https%3A%2F%2Fdev.to%2Fadiatiayu%2Fmethods-vs-computed-in-vue-21mj&title=Methods%20vs%20Computed%20in%20Vue&summary=Hello%20%F0%9F%91%8B%F0%9F%8F%BC%2C%20%20Lately%20I%27ve%20been%20learning%20Vue.%20%20So%20today%20I%20learned%20about%20computed%20property.%20%20In%20my...&source=DEV%20Community | LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) | 2026-01-13T08:48:12 |
https://devblogs.microsoft.com/xamarin/xamarin-forms-4-7/#mainContent | Try the Latest Xamarin.Forms 4.7 Features Today! - Xamarin Blog Skip to main content Microsoft Dev Blogs Dev Blogs Dev Blogs Home Developer Microsoft for Developers Visual Studio Visual Studio Code Develop from the cloud All things Azure Xcode DevOps Windows Developer ISE Developer Azure SDK Command Line Aspire Technology DirectX Semantic Kernel Languages C++ C# F# TypeScript PowerShell Team Python Java Java Blog in Chinese Go .NET All .NET posts .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework NuGet Servicing .NET Blog in Chinese Platform Development #ifdef Windows Microsoft Foundry Azure Government Azure VM Runtime Team Bing Dev Center Microsoft Edge Dev Microsoft Azure Microsoft 365 Developer Microsoft Entra Identity Developer Old New Thing Power Platform Data Development Azure Cosmos DB Azure Data Studio Azure SQL OData Revolutions R Unified Data Model (IDEAs) Microsoft Entra PowerShell More Search Search No results Cancel Dev Blogs Xamarin Blog Xamarin.Forms 4.7: Grid Column & Row Definitions, Multi-Bindings, Shapes & Paths, and More! Upgrade to .NET MAUI Today Microsoft support for Xamarin ended on May 1, 2024 for all Xamarin SDKs including Xamarin.Forms. Upgrade your Xamarin & Xamarin.Forms projects to .NET 8 and .NET MAUI with our migration guides. Learn more June 17th, 2020 0 reactions Xamarin.Forms 4.7: Grid Column & Row Definitions, Multi-Bindings, Shapes & Paths, and More! Jake Kirsch Program Manager - Xamarin.Forms Show more Today, the Xamarin.Forms team is releasing Xamarin.Forms 4.7 with a collection of feature additions and improvements. These new features will let you unleash your full creative abilities when developing Xamarin.Forms applications. Simplified Grid Row & Column Definitions Before Xamarin.Forms 4.7, you would have to specify each column and row definition separately. This process was tedious and repetitive, thus leading to an overall slower design time. Thanks to Morten Nielsen’s enhancement request, column and row definitions have been simplified. Take this example below: <Grid> <Grid.ColumnDefinitions> <ColumnDefinition Width="1*" /> <ColumnDefinition Width="2*" /> <ColumnDefinition Width="Auto" /> <ColumnDefinition Width="*" /> <ColumnDefinition Width="300" /> </Grid.ColumnDefinitions> <Grid.RowDefinitions> <RowDefinition Height="1*" /> <RowDefinition Height="Auto" /> <RowDefinition Height="25" /> <RowDefinition Height= "14" /> <RowDefinition Height="20" /> </Grid.RowDefinitions> </Grid> While this code is practical, it is overly complex. To help simplify the grid definition process, the Xamarin.Forms team has created a simplified syntax. <Grid ColumnDefinitions="1*, 2*, Auto, *, 300" RowDefinitions="1*, Auto, 25, 14, 20"> </Grid> Shorter, easier. Thanks, Morten! Multi-Bindings The next great feature added to Xamarin.Forms in 4.7 thanks to the work of Peter Moore is multi-binding. Multi-binding allows you to connect a target property to a list of source properties and then apply logic to produce a value with the inputs specified. A simple and powerful way to use multi-binding is the ability to format any multi-binding result that’s displayed as a string with the StringFormat property. This property can be set to a standard .NET formatting string, with placeholders, that specifies how to format the multi-binding result. For example, let’s say you wanted to create a label of a user’s full name. You can use multi-bindings combined with StringFormat to create a single label that contains the user’s full name, regardless of where the user inputs their forename, middle name, or surname. An example of this can be seen below: <Label> <Label.Text> <MultiBinding StringFormat="{}{0} {1} {2}"> <Binding Path="Employee1.Forename" /> <Binding Path="Employee1.MiddleName" /> <Binding Path="Employee1.Surname" /> </MultiBinding> </Label.Text> </Label> Multi-binding is even more powerful when you add MultiValueConverters . Shapes & Paths Today in Xamarin.Forms we are releasing experimental support for shapes and paths. Currently, we have Views such as BoxView or Frames that allow you to create rectangles or ellipses. However, we recognize that you want the ability to create any shape that best fits your application design. Shapes & paths in Xamarin.Forms allow you to create custom, unique designs to better fit your user interfaces. David Ortinau made an amazing login screen example to show what shapes and paths can add to your apps. There are many new features leveraged when creating this application. First, a custom image shape was created using the clip property. <Image.Clip> <EllipseGeometry Center="75,75" RadiusX="75" RadiusY="75"/> </Image.Clip> In this example, an ellipse shape is supplied to the image clip property. However, you can use any shape as the clipping shape. Another new feature shown in this example is drawing a path to create a custom login shape, and then the login button itself. <Path Grid.RowSpan="7" Grid.ColumnSpan="4" HorizontalOptions="Fill" VerticalOptions="Fill" Fill="White" Data="M251,0 C266.463973,-2.84068575e-15 279,12.536027 279,28 L279,276 C279,291.463973 266.463973,304 251,304 L214.607,304 L214.629319,304.009394 L202.570739,304.356889 C196.091582,304.5436 190.154631,308.020457 186.821897,313.579883 L186.821897,313.579883 L183.402481,319.283905 C177.100406,337.175023 160.04792,350 140,350 C119.890172,350 102.794306,337.095694 96.5412691,319.115947 L96.5273695,319.126964 L92.8752676,313.28194 C89.5084023,307.893423 83.6708508,304.544546 77.3197008,304.358047 L65.133,304 L28,304 C12.536027,304 1.8937905e-15,291.463973 0,276 L0,28 C-1.8937905e-15,12.536027 12.536027,2.84068575e-15 28,0 L251,0 Z" /> In this case, a path view was defined within the XAML page, and then the data property was populated with path data that defines the custom shape. It’s important to note that this feature is shipping under the experimental flag, and thus Shapes_Experimental must be added to your App.xaml.cs constructor. For much more information on using shapes and paths, check out the documentation . Light & Dark mode With Xamarin.Forms 4.7 the Xamarin team is releasing updates to style light and dark mode. Users now have even more control to manage the theme of their applications through the use of UserAppTheme. Before you get started, set the experimental flag for AppTheme_Experimental. You can now set the style of your application with AppThemeBinding, and see your UI update at runtime as the OS changes theme. To do so, set the value of the property you are binding to using AppThemeBinding, as seen below: <Style TargetType="ContentPage" ApplyToDerivedTypes="True"> <Setter Property="BackgroundColor" Value="{AppThemeBinding Dark={StaticResource BackgroundColor_Dark}, Light={StaticResource BackgroundColor_Light}}"/> </Style> Note, if you were using AppThemeColor in a previous version, you’ll need to update to this. You can also set the app theme regardless of what your operating system’s theme is currently set to. For example, if your phone is in Light mode, but you want the specific app you are using to be in dark mode, then you can set: Application.Current.UserAppTheme = OSAppTheme.Dark; To keep the app theme on light mode regardless of your operating system’s application theme, set your application to: OSAppTheme.Light If you want your application to default to your operating system’s application theme, set your application to: OSAppTheme.Unspecified Read more about Light and Dark mode on the Xamarin.Forms docs. Featured Contributor Every release we have dozens of contributors , and several of whom we mention in our blogs. Today we are starting a featured spotlight to learn a little bit more about a contributor, so today let’s meet Fredy. What’s your name? Fredy Adriano Jimenez Martinez Where are you based? I’m Cuban, but living in Mexico. How long have you been using Xamarin.Forms? 10 months Where can people find you online? GitHub Get Started Today Update your projects from your favorite NuGet package manager today! Take advantage of this latest release . Share your projects and progress with us online. We’d love your feedback on Xamarin Forms. Please open issues on GitHub for any additional enhancements or issues to discuss. For more information on this release check the resources below. Xamarin.Forms 4.7 Release Notes Docs TypeConverter on Grid Column and Row Definitions Multi-Bindings Shapes & Paths Light & Dark Mode Login Screen Example Light and Dark Example 0 10 0 Share on Facebook Share on X Share on Linkedin Copy Link --> Category Announcements Developers Xamarin.Forms Topics Xamarin.Forms Share Author Jake Kirsch Program Manager - Xamarin.Forms Xamarin.Forms Program Manager, Avid Runner, Graduate from The University of Michigan, Jewish, Gay 10 comments Discussion is closed. Login to edit/delete existing comments. Code of Conduct Sort by : Newest Newest Popular Oldest Paul Jackson --> Paul Jackson --> June 22, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Can we extend the Grid Row & Column Definitions to Multibindings as well. ie… <MultiBinding StringFormat="{}{0} {1} {2}" Bindings="Employee1.Forename, Employee1.MiddleName, Employee1.Surname" /> Anthony Goomba --> Anthony Goomba --> June 21, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Great updates, but I’m experiencing the following error in the AppCenter build pipeline: MTOUCH : error MT2002: Failed to resolve "Xamarin.Forms.Platform.iOS.EllipseRenderer" reference from "Xamarin.Forms.Platform.iOS, Murali Kasalanati --> Murali Kasalanati --> July 22, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Any luck?, I get this on specific project on iOS version. But works on the other sample app. Jennifer Lum --> Jennifer Lum --> June 25, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Also getting this error, only from the Android side during compile. Cannot find any info to resolve it xamarinmobile@outlook.com --> xamarinmobile@outlook.com --> July 13, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> I am also facing similar issue on Android only…While setting linker option to Link SDk Assemlies…set to none than everything working as expected… Did u find any solution for this… saint4eva --> saint4eva --> June 20, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> The Grid improvement is excellent Jinming Mu --> Jinming Mu --> June 19, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> giving a alias to ColumnDefinition/RowDefinition is better than this so controls can quickly locate themselves Not only via index. ” Simplified Grid Row & Column Definitions” is useless and NOT elegant. Kalixt Huska --> Kalixt Huska --> June 19, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Very nice update. Alexandre Sanlim - Programador Libertário --> Alexandre Sanlim - Programador Libertário --> June 18, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> “Simplified Grid Row & Column Definitions” It’s very nice! Indudhar Gowda --> Indudhar Gowda --> June 17, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Nice..Can we drag this features to uwp as well.. I am talking about only uwp not xamarin. Read next June 25, 2020 Xamarin Podcast: //Build 2020 Recap Matt Soucoup June 26, 2020 Xamarin.Forms Shell Quick Tip – Easy Back Navigation James Montemagno Stay informed Get notified when new posts are published. Email * Country/Region * Select... United States Afghanistan Åland Islands Albania Algeria American Samoa Andorra Angola Anguilla Antarctica Antigua and Barbuda Argentina Armenia Aruba Australia Austria Azerbaijan Bahamas Bahrain Bangladesh Barbados Belarus Belgium Belize Benin Bermuda Bhutan Bolivia Bonaire Bosnia and Herzegovina Botswana Bouvet Island Brazil British Indian Ocean Territory British Virgin Islands Brunei Bulgaria Burkina Faso Burundi Cabo Verde Cambodia Cameroon Canada Cayman Islands Central African Republic Chad Chile China Christmas Island Cocos (Keeling) Islands Colombia Comoros Congo Congo (DRC) Cook Islands Costa Rica Côte dIvoire Croatia Curaçao Cyprus Czechia Denmark Djibouti Dominica Dominican Republic Ecuador Egypt El Salvador Equatorial Guinea Eritrea Estonia Eswatini Ethiopia Falkland Islands Faroe Islands Fiji Finland France French Guiana French Polynesia French Southern Territories Gabon Gambia Georgia Germany Ghana Gibraltar Greece Greenland Grenada Guadeloupe Guam Guatemala Guernsey Guinea Guinea-Bissau Guyana Haiti Heard Island and McDonald Islands Honduras Hong Kong SAR Hungary Iceland India Indonesia Iraq Ireland Isle of Man Israel Italy Jamaica Jan Mayen Japan Jersey Jordan Kazakhstan Kenya Kiribati Korea Kosovo Kuwait Kyrgyzstan Laos Latvia Lebanon Lesotho Liberia Libya Liechtenstein Lithuania Luxembourg Macau SAR Madagascar Malawi Malaysia Maldives Mali Malta Marshall Islands Martinique Mauritania Mauritius Mayotte Mexico Micronesia Moldova Monaco Mongolia Montenegro Montserrat Morocco Mozambique Myanmar Namibia Nauru Nepal Netherlands New Caledonia New Zealand Nicaragua Niger Nigeria Niue Norfolk Island North Macedonia Northern Mariana Islands Norway Oman Pakistan Palau Palestinian Authority Panama Papua New Guinea Paraguay Peru Philippines Pitcairn Islands Poland Portugal Puerto Rico Qatar Réunion Romania Rwanda Saba Saint Barthélemy Saint Kitts and Nevis Saint Lucia Saint Martin Saint Pierre and Miquelon Saint Vincent and the Grenadines Samoa San Marino São Tomé and Príncipe Saudi Arabia Senegal Serbia Seychelles Sierra Leone Singapore Sint Eustatius Sint Maarten Slovakia Slovenia Solomon Islands Somalia South Africa South Georgia and South Sandwich Islands South Sudan Spain Sri Lanka St Helena Ascension Tristan da Cunha Suriname Svalbard Sweden Switzerland Taiwan Tajikistan Tanzania Thailand Timor-Leste Togo Tokelau Tonga Trinidad and Tobago Tunisia Turkey Turkmenistan Turks and Caicos Islands Tuvalu U.S. Outlying Islands U.S. Virgin Islands Uganda Ukraine United Arab Emirates United Kingdom Uruguay Uzbekistan Vanuatu Vatican City Venezuela Vietnam Wallis and Futuna Yemen Zambia Zimbabwe I would like to receive the Xamarin Blog Newsletter. Privacy Statement. Subscribe Follow this blog Are you sure you wish to delete this comment? × --> OK Cancel Sign in Theme Insert/edit link Close Enter the destination URL URL Link Text Open link in a new tab Or link to existing content Search No search term specified. Showing recent items. Search or use up and down arrow keys to select an item. Cancel Code Block × Paste your code snippet Ok Cancel What's new Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot for organizations Copilot for personal use AI in Windows Explore Microsoft products Windows 11 apps Microsoft Store Account profile Download Center Microsoft Store support Returns Order tracking Certified Refurbished Microsoft Store Promise Flexible Payments Education Microsoft in education Devices for education Microsoft Teams for Education Microsoft 365 Education How to buy for your school Educator training and development Deals for students and parents AI for education Business Microsoft Cloud Microsoft Security Dynamics 365 Microsoft 365 Microsoft Power Platform Microsoft Teams Microsoft 365 Copilot Small Business Developer & IT Azure Microsoft Developer Microsoft Learn Support for AI marketplace apps Microsoft Tech Community Microsoft Marketplace Marketplace Rewards Visual Studio Company Careers About Microsoft Company news Privacy at Microsoft Investors Diversity and inclusion Accessibility Sustainability Your Privacy Choices Opt-Out Icon Your Privacy Choices Your Privacy Choices Opt-Out Icon Your Privacy Choices Consumer Health Privacy Sitemap Contact Microsoft Privacy Manage cookies Terms of use Trademarks Safety & eco Recycling About our ads © Microsoft 2025 | 2026-01-13T08:48:12 |
https://stormkit.forem.com/krishanvijay/comment/30d18 | Great insights on the challenges of creating accessible AR systems in games l... - Stormkit Community 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 Stormkit Community Close Discussion on: S8:E9 - Diablo Immortal and Video Game Accessibility, The Challenges of Creating an AR System, The Recent Wave of Tech Layoffs, and More View post Collapse Expand Krishan Krishan Krishan Follow Hi, I'm Krishan Vijay, a digital marketing professional with 5+ years of experience in SEO, content marketing, and paid ads. I share actionable tips, strategies, and insights to help individuals. Joined Nov 27, 2024 • Aug 8 '25 Dropdown menu Copy link Hide Great insights on the challenges of creating accessible AR systems in games like Diablo Immortal. Accessibility is truly becoming a crucial factor in game development, ensuring that more players can enjoy these immersive experiences. For those who love Diablo and want to explore similar games with engaging gameplay and accessibility features, I’ve compiled a detailed list of the best games like Diablo that are worth checking out. Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse 💎 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 Stormkit Community — The official hub for Stormkit users. Share what you're building, get support, and discuss the future of JavaScript app deployment 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 . Stormkit Community © 2016 - 2026. Ship faster, together Log in Create account | 2026-01-13T08:48:12 |
https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fsolutions%2Fexecutive-insights | Sign in to GitHub · GitHub Skip to content 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 Sign in to GitHub {{ message }} --> Username or email address Password Forgot password? Uh oh! There was an error while loading. Please reload this page . New to GitHub? Create an account Sign in with a passkey Terms Privacy Docs Contact GitHub Support Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#9-supplemental-notice-for-nevada-residents | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://www.typescriptlang.org/ | TypeScript: JavaScript With Syntax For Types. Skip to main content TypeScript Download Docs Handbook Community Playground Tools in En TypeScript is JavaScript with syntax for types. TypeScript is a strongly typed programming language that builds on JavaScript, giving you better tooling at any scale. Try TypeScript Now Online or via npm Editor Checks Auto-complete Interfaces JSX ts const user = { firstName : "Angela" , lastName : "Davis" , role : "Professor" , } console . log ( user . name ) Property 'name' does not exist on type '{ firstName: string; lastName: string; role: string; }'. 2339 Property 'name' does not exist on type '{ firstName: string; lastName: string; role: string; }'. ts const user = { firstName : "Angela" , lastName : "Davis" , role : "Professor" , } console . log ( user . name ) Property 'name' does not exist on type '{ firstName: string; lastName: string; role: string; }'. 2339 Property 'name' does not exist on type '{ firstName: string; lastName: string; role: string; }'. TypeScript 5.9 is now available What is TypeScript? JavaScript and More TypeScript adds additional syntax to JavaScript to support a tighter integration with your editor . Catch errors early in your editor. A Result You Can Trust TypeScript code converts to JavaScript, which runs anywhere JavaScript runs : In a browser, on Node.js, Deno, Bun and in your apps. Safety at Scale TypeScript understands JavaScript and uses type inference to give you great tooling without additional code. Get Started Handbook Learn the language Playground Try in your browser Download Install TypeScript Adopt TypeScript Gradually Apply types to your JavaScript project incrementally, each step improves editor support and improves your codebase. Let's take this incorrect JavaScript code, and see how TypeScript can catch mistakes in your editor . js function compact ( arr ) { if ( orr . length > 10 ) return arr . trim ( 0 , 10 ) return arr } No editor warnings in JavaScript files This code crashes at runtime! JavaScript file js // @ts-check function compact ( arr ) { if ( orr . length > 10 ) Cannot find name 'orr'. 2304 Cannot find name 'orr'. return arr . trim ( 0 , 10 ) return arr } Adding this to a JS file shows errors in your editor the param is arr, not orr! JavaScript with TS Check js // @ts-check /** @param {any[]} arr */ function compact ( arr ) { if ( arr . .length: number' >length > 10 ) return arr . trim ( 0 , 10 ) Property 'trim' does not exist on type 'any[]'. 2339 Property 'trim' does not exist on type 'any[]'. return arr } Using JSDoc to give type information Now TS has found a bad call. Arrays have slice, not trim. JavaScript with JSDoc ts function compact ( arr : string []) { if ( arr . .length: number' >length > 10 ) return arr . .slice(start?: number | undefined, end?: number | undefined): string[]' >slice ( 0 , 10 ) return arr } TypeScript adds natural syntax for providing types TypeScript file Describe Your Data Describe the shape of objects and functions in your code. Making it possible to see documentation and issues in your editor . ts interface Account { id : number displayName : string version : 1 } function welcome ( user : Account ) { console . log ( user . id ) } ts type Result = "pass" | "fail" function verify ( result : Result ) { if ( result === "pass" ) { console . log ( "Passed" ) } else { console . log ( "Failed" ) } } TypeScript becomes JavaScript via the delete key. ts type Result = "pass" | "fail" function verify ( result : Result ) { if ( result === "pass" ) { console . log ( "Passed" ) } else { console . log ( "Failed" ) } } TypeScript file . ts type Result = "pass" | "fail" function verify ( result : Result ) { if ( result === "pass" ) { console . log ( "Passed" ) } else { console . log ( "Failed" ) } } Types are removed . js function verify ( result ) { if ( result === "pass" ) { console . log ( "Passed" ) } else { console . log ( "Failed" ) } } JavaScript file . TypeScript Testimonials First , we were surprised by the number of small bugs we found when converting our code. Second , we underestimated how powerful the editor integration is. TypeScript was such a boon to our stability and sanity that we started using it for all new code within days of starting the conversion. Felix Rieseberg at Slack covered the transition of their desktop app from JavaScript to TypeScript in their blog Read Open Source with TypeScript Angular Vue Jest Redux Ionic Probot Deno Vercel Yarn GitHub Desktop Loved by Developers Voted 2nd most loved programming language in the Stack Overflow 2020 Developer survey TypeScript was used by 78% of the 2020 State of JS respondents, with 93% saying they would use it again . TypeScript was given the award for “Most Adopted Technology” based on year-on-year growth. Get Started Handbook Learn the language Playground Try in your browser Download Install TypeScript Made with ♥ in Redmond, Boston, SF & Dublin © 2012- 2026 Microsoft Privacy Terms of Use Using TypeScript Get Started Download Community Playground TSConfig Ref Code Samples Why TypeScript Design Community Get Help Blog GitHub Repo Community Chat @TypeScript Mastodon Stack Overflow Web Repo MSG | 2026-01-13T08:48:12 |
https://dev.to/lparvinsmith/web3js-vs-ethersjs-a-comparison-of-web3-libraries-2ap5#api-differences | web3.js vs ethers.js: a Comparison of Web3 Libraries - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Lara Parvinsmith Posted on Mar 3, 2022 web3.js vs ethers.js: a Comparison of Web3 Libraries # web3 # ethereum # javascript # blockchain Both web3.js and ethers.js are JavaScript libraries that enable frontend apps to interact with the Ethereum blockchain, including smart contracts. If you're building an app that reads or writes to the blockchain from the client, you'll need to use one of these libraries. They have similar functionality, but an important question is how they will be maintained and grow with the emerging dapp ecosystem. Quantitative comparison web3.js ethers.js Date of first release Feb 2015 Jul 2016 GitHub stars 13.4k 4k GitHub contributors* 16** 1 Bundle size*** 590.6kB 116.5kB *GitHub contributors from March 1, 2021 to March 1, 2022 **16 contributors, but only 2 had more than 10 commits in the one year period ***Bundle size from bundlephobia , value of minified and gzipped package. API differences While web3.js provides a single instantiated web3 object with methods for interacting with the blockchain, ethers.js separates the API into two separate roles. The provider , which is an anonymous connection to the ethereum network, and the signer , which can access the private key and sign the transactions. The ethers team intended this separation of concerns to provide more flexibility to developers. Side-by-side examples Below are some examples of common functions a developer would include in their dapp. You'll see they offer the same functionality, with some slight differences of API. Instantiating provider with MetaMask wallet web3 const web3 = new Web3(Web3.givenProvider); ethers const provider = new ethers.providers.Web3Provider(window.ethereum) Getting balance of account web3 const balance = await web3.eth.getBalance("0x0") ethers (supports ENS!) const balance = await provider.getBalance("ethers.eth") Instantiating contract web3 const myContract = new web3.eth.Contract(ABI, contractAddress); ethers const myContract = new ethers.Contract(contractAddress, ABI, provider.getSigner()); Calling contract method web3 const balance = await myContract.methods.balanceOf("0x0").call() ethers const balance = await myContract.balanceOf("ethers.eth") So which should I pick for my project? Given the details above, web3.js looks like the go-to choice, with a longer history and more maintainers. However, ethers.js seems just as reliable and includes some differentiating perks such as size and additional features. Most other articles on this subject conclude that you could easily pick either, depending on what you're looking for. I too hesitate to recommend one over the other. But as the ecosystem evolves, it is important to me to pick the library that will be most flexible and supported by other libraries. Ecosystem factors Which will be the most supported by open source libraries? As the dapp ecosystem grows, which of the two libraries will be the most compatible with other open source libraries you want to bring into your app? In my limited experience, as this is still an emerging area for development, there are a couple libraries that require ethers.js to use the framework. Examples include web3-react and NFT Swap SDK . I have not yet seen libraries that require web3.js. Which will have a solution for mocking for end-to-end testing? Implementing end-to-end testing for web3 features is a challenge. This is partly because most tools, like Cypress , run your tests in a Chromium browser that does not support browser extensions. Developers need an easy way to mock Ethereum providers or the web3/ethers instance to use inside their test environments. So far, I haven't seen any libraries that help solve this. But if there were a tool that helped mock providers for testing, and only worked with ethers for example, that would be enough for me to choose ethers over web3. Which library do you prefer, web3.js or ethers.js? Are there any tools in the ecosystem I'm overlooking? Let me know in the comments! Top comments (4) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Leland Holmes Leland Holmes Leland Holmes Follow IT Project Manager & Business Consultant Joined Sep 20, 2024 • Sep 20 '24 Dropdown menu Copy link Hide Hi, @everyone We are seeking a talented and experienced Blockchain Developer to join our dynamic team. As a Blockchain Developer, you will be responsible for driving the development and execution of our Decentralized Exchange (DEX) platform. The ideal candidate will possess a deep understanding of blockchain technology, strong project management skills, and a passion for building decentralized applications (dApps). If you are interested in this job, you can check our project. bitbucket.org/0xky43/ultrax-dex/src/main Use node version over 18.20.4. Our Team Leader will ask to you about this project. And for testing your coding skills, you should fix the some errors of this project. Afterwards, you can contact " t.me/VEProf " with project screenshots of the fixed issues. And then you will discuss more details with him what you have to do. Thanks Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Pavel Svitek Pavel Svitek Pavel Svitek Follow 3x CTO, 10+ years as full-stack web dev. ReactJS/VueJS/NodeJS/Typescript/Python. Interested in Fintech/Web3/DeFi/AI/IPFS/Ethereum Location Zurich, Switzerland Work CTO Joined Dec 30, 2018 • Aug 3 '22 Dropdown menu Copy link Hide Have you seen any updates rg. wallet testing (mocking) with ethers.js or wagmi? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand J.D. Bertron J.D. Bertron J.D. Bertron Follow Founder and CEO at BqETH.com Work Founder and CEO at BqETH.com Joined Jun 19, 2022 • Sep 24 '22 Dropdown menu Copy link Hide Thank you so much for this. Like comment: Like comment: Like Comment button Reply Collapse Expand sacru2red sacru2red sacru2red Follow Joined Jun 24, 2022 • Jun 24 '22 Dropdown menu Copy link Hide thank you Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Lara Parvinsmith Follow Work Software Engineer Joined Aug 16, 2019 More from Lara Parvinsmith Signatures as Authentication in Web3 # ethereum # blockchain # web3 # cryptography Web3: the unique technology and challenges behind the hype # web3 # blockchain # ux # ethereum Easiest way to deploy your Ethereum Smart Contract # blockchain # solidity # ethereum # smartcontract 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://dev.to/lparvinsmith/web3js-vs-ethersjs-a-comparison-of-web3-libraries-2ap5#instantiating-contract | web3.js vs ethers.js: a Comparison of Web3 Libraries - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Lara Parvinsmith Posted on Mar 3, 2022 web3.js vs ethers.js: a Comparison of Web3 Libraries # web3 # ethereum # javascript # blockchain Both web3.js and ethers.js are JavaScript libraries that enable frontend apps to interact with the Ethereum blockchain, including smart contracts. If you're building an app that reads or writes to the blockchain from the client, you'll need to use one of these libraries. They have similar functionality, but an important question is how they will be maintained and grow with the emerging dapp ecosystem. Quantitative comparison web3.js ethers.js Date of first release Feb 2015 Jul 2016 GitHub stars 13.4k 4k GitHub contributors* 16** 1 Bundle size*** 590.6kB 116.5kB *GitHub contributors from March 1, 2021 to March 1, 2022 **16 contributors, but only 2 had more than 10 commits in the one year period ***Bundle size from bundlephobia , value of minified and gzipped package. API differences While web3.js provides a single instantiated web3 object with methods for interacting with the blockchain, ethers.js separates the API into two separate roles. The provider , which is an anonymous connection to the ethereum network, and the signer , which can access the private key and sign the transactions. The ethers team intended this separation of concerns to provide more flexibility to developers. Side-by-side examples Below are some examples of common functions a developer would include in their dapp. You'll see they offer the same functionality, with some slight differences of API. Instantiating provider with MetaMask wallet web3 const web3 = new Web3(Web3.givenProvider); ethers const provider = new ethers.providers.Web3Provider(window.ethereum) Getting balance of account web3 const balance = await web3.eth.getBalance("0x0") ethers (supports ENS!) const balance = await provider.getBalance("ethers.eth") Instantiating contract web3 const myContract = new web3.eth.Contract(ABI, contractAddress); ethers const myContract = new ethers.Contract(contractAddress, ABI, provider.getSigner()); Calling contract method web3 const balance = await myContract.methods.balanceOf("0x0").call() ethers const balance = await myContract.balanceOf("ethers.eth") So which should I pick for my project? Given the details above, web3.js looks like the go-to choice, with a longer history and more maintainers. However, ethers.js seems just as reliable and includes some differentiating perks such as size and additional features. Most other articles on this subject conclude that you could easily pick either, depending on what you're looking for. I too hesitate to recommend one over the other. But as the ecosystem evolves, it is important to me to pick the library that will be most flexible and supported by other libraries. Ecosystem factors Which will be the most supported by open source libraries? As the dapp ecosystem grows, which of the two libraries will be the most compatible with other open source libraries you want to bring into your app? In my limited experience, as this is still an emerging area for development, there are a couple libraries that require ethers.js to use the framework. Examples include web3-react and NFT Swap SDK . I have not yet seen libraries that require web3.js. Which will have a solution for mocking for end-to-end testing? Implementing end-to-end testing for web3 features is a challenge. This is partly because most tools, like Cypress , run your tests in a Chromium browser that does not support browser extensions. Developers need an easy way to mock Ethereum providers or the web3/ethers instance to use inside their test environments. So far, I haven't seen any libraries that help solve this. But if there were a tool that helped mock providers for testing, and only worked with ethers for example, that would be enough for me to choose ethers over web3. Which library do you prefer, web3.js or ethers.js? Are there any tools in the ecosystem I'm overlooking? Let me know in the comments! Top comments (4) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Leland Holmes Leland Holmes Leland Holmes Follow IT Project Manager & Business Consultant Joined Sep 20, 2024 • Sep 20 '24 Dropdown menu Copy link Hide Hi, @everyone We are seeking a talented and experienced Blockchain Developer to join our dynamic team. As a Blockchain Developer, you will be responsible for driving the development and execution of our Decentralized Exchange (DEX) platform. The ideal candidate will possess a deep understanding of blockchain technology, strong project management skills, and a passion for building decentralized applications (dApps). If you are interested in this job, you can check our project. bitbucket.org/0xky43/ultrax-dex/src/main Use node version over 18.20.4. Our Team Leader will ask to you about this project. And for testing your coding skills, you should fix the some errors of this project. Afterwards, you can contact " t.me/VEProf " with project screenshots of the fixed issues. And then you will discuss more details with him what you have to do. Thanks Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Pavel Svitek Pavel Svitek Pavel Svitek Follow 3x CTO, 10+ years as full-stack web dev. ReactJS/VueJS/NodeJS/Typescript/Python. Interested in Fintech/Web3/DeFi/AI/IPFS/Ethereum Location Zurich, Switzerland Work CTO Joined Dec 30, 2018 • Aug 3 '22 Dropdown menu Copy link Hide Have you seen any updates rg. wallet testing (mocking) with ethers.js or wagmi? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand J.D. Bertron J.D. Bertron J.D. Bertron Follow Founder and CEO at BqETH.com Work Founder and CEO at BqETH.com Joined Jun 19, 2022 • Sep 24 '22 Dropdown menu Copy link Hide Thank you so much for this. Like comment: Like comment: Like Comment button Reply Collapse Expand sacru2red sacru2red sacru2red Follow Joined Jun 24, 2022 • Jun 24 '22 Dropdown menu Copy link Hide thank you Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Lara Parvinsmith Follow Work Software Engineer Joined Aug 16, 2019 More from Lara Parvinsmith Signatures as Authentication in Web3 # ethereum # blockchain # web3 # cryptography Web3: the unique technology and challenges behind the hype # web3 # blockchain # ux # ethereum Easiest way to deploy your Ethereum Smart Contract # blockchain # solidity # ethereum # smartcontract 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://dev.to/thenjdevopsguy/kubernetes-ingress-vs-service-mesh-2ee2#comment-1pf95 | Kubernetes Ingress vs Service Mesh - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Michael Levan Posted on Jun 15, 2022 • Edited on Aug 6, 2025 Kubernetes Ingress vs Service Mesh # kubernetes # devops # cloud # git Networking in Kubernetes is no easy task. Whether you’re on the application side or the operations side, you need to think about networking. Whether it’s connectivity between clusters, control planes, and worker nodes, or connectivity between Kubernetes Services and Pods, it all becomes a task that needs a large amount of focus and effort. In this blog post, you’ll learn about what a service mesh is, what ingress is, and why you need both. What’s A Service Mesh When you deploy applications inside of Kubernetes, there are two primary ways that the apps are talking to each other: Service-to-Service communication Pod-to-Pod communication Pod-to-Pod communication isn’t exactly recommended because Pods are ephemeral, which means they aren’t permanent. They are designed to go down at any time and only if they’re part of a StatefulSet would they keep any type of unique identifier. However, Pods still need to be able to communicate with each other because microservices need to talk. Backends need to talk to frontends, middleware needs to talk to backends and frontends, etc… The next primary communication is Services. Services are the preferred method because a Service isn’t ephemeral and only gets deleted if specified by an engineer. Pods are able to connect to Services with Selectors (sometimes called Tags), so if a Pod goes down but the Selector in the Kubernetes Manifest that deployed the Pod doesn’t change, the new Pod will be connected to the Service. In short, a Service sits in front of Pods almost like a load balancer would (not to be confused with the LoadBalancer service type). Here’s the problem: all of this traffic is unencrypted by default. Pod-to-Pod communication, or as some people like to call it, East-West Traffic, and Service-to-Service is completely unencrypted. That means if for any reason an environment is compromised or you have some segregation concerns, there’s nothing out of the box that you can do. A Service Mesh handles a lot of that for you. A Service Mesh: Encrypts traffic between Services Helps with network latency troubleshooting Securely connects Kubernetes Services Observability for tracing and alerting The key piece here, aside from the encryption between services (using mTLS) is the network observability and routing implementations. As a small example, the following routing rule forwards traffic to /rooms via a delegate VirtualService object/kind named roompage . apiVersion: networking.istio.io/v1 kind: VirtualService metadata: name: hotebooking spec: hosts: - "hotelbooking.com" gateways: - hbgateway http: - match: - uri: prefix: "/rooms" delegate: name: roompage namespace: rooms Enter fullscreen mode Exit fullscreen mode You have full control over the "what and how" in terms of routing. What’s Ingress Outside of the need for secure communication between microservices, you need a way to interact with frontend apps. The typical way is with a load balancer that’s connected to a Service. You can also use a NodePort, but in the cloud world, you’ll mostly see load balancers being used. Here’s the problem; cloud load balancers are expensive literally and figuratively. You have to pay money for each cloud load balancer that you have. Having a few applications may not be a big deal, but what about if you have 50 or 100? Not to mention that you have to manage all of those cloud load balancers. If a Kubernetes Service disconnects from the load balancer for whatever reason, it’s your job to go in and fix it. With Kubernetes Ingress Controllers, the management and cost nightmare is abstracted from you. An Ingress Controller allows you to have: One load balancer Multiple applications (Kubernetes Services) pointing to it You can create one load balancer and have every Kubernetes Service point to it that's within the specific web application from a routing perspective. Then, you can access each Kubernetes Service on a different path. For example, below is an Ingress Spec that points to a Kubernetes Service called nginxservice and outputs it on the path called /nginxappa apiVersion : networking . k8s . io / v1 kind : Ingress metadata : name : ingress - nginxservice - a spec : ingressClassName : nginx - servicea rules : - host : localhost http : paths : - path : / nginxappa pathType : Prefix backend : service : name : nginxservice port : number : 8080 Enter fullscreen mode Exit fullscreen mode Ingress Controllers are like an Nginx Reverse Proxy. Do You Need Both? My take on it is that you need both. Here’s why: They’re both doing two different jobs. I always like to use the hammer analogy. If I need to hammer a nail, I can use the handle to slam the nail in and eventually it’ll work, but why would I do that if I can use the proper end of the hammer? An Ingress Controller is used to: Make load balancing apps easier A Service Mesh is used to: Secure communication between apps Help out with Kubernetes networking Now, here’s the kicker; there are tools that do both. For example, Istio Ingress is an Ingress Controller, but also has the capability of secure gateways using mTLS. If you’re using one of those tools, great. Just make sure that it handles both communication and security for you in the way that you’re expecting. The recommendation still is to use the proper tool for the job. Both Service Mesh and Ingress are incredibly important, especially as your microservice environment grows. Popular Ingress Controllers and Service Mesh Platforms Below is a list of Ingress Controllers and Service Mesh that are popular in today’s cloud-native world. For Service Mesh: https://istio.io/latest/about/service-mesh/ For Ingress Controllers: https://kubernetes.github.io/ingress-nginx/ https://doc.traefik.io/traefik/providers/kubernetes-ingress/ https://github.com/Kong/kubernetes-ingress-controller#readme https://istio.io/latest/docs/tasks/traffic-management/ingress/ If you want to check out how to get started with the Istio, check out my blog post on it here . Top comments (5) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand trylvis trylvis trylvis Follow Work Infra / Ops / DevOps Engineer Joined Jun 16, 2022 • Jun 16 '22 Dropdown menu Copy link Hide Nice summary! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Michael Levan Michael Levan Michael Levan Follow Building High-Performing Agentic Environments | CNCF Ambassador | Microsoft MVP (Azure) | AWS Community Builder | Published Author & Public Speaker Location North New Jersey Joined Feb 8, 2020 • Jun 17 '22 Dropdown menu Copy link Hide Thank you! I'm happy that you enjoyed it. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Jan Jurák Jan Jurák Jan Jurák Follow Joined Apr 20, 2021 • Jan 4 '25 Dropdown menu Copy link Hide thank you for introduction into Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand heroes1412 heroes1412 heroes1412 Follow Joined Oct 7, 2022 • Oct 7 '22 Dropdown menu Copy link Hide Your article is very good and easy to understand. But how about API Gateway, i see ingress controller can handle API gateway task. what diffenrent? Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Michael Levan Michael Levan Michael Levan Follow Building High-Performing Agentic Environments | CNCF Ambassador | Microsoft MVP (Azure) | AWS Community Builder | Published Author & Public Speaker Location North New Jersey Joined Feb 8, 2020 • Oct 7 '22 Dropdown menu Copy link Hide I would say the biggest two differences are 1) Ingress Controllers are a Kubernetes Controller in itself, so it's handled in a declarative fashion 2) (correct me if I'm wrong here about API Gateways please) API Gateways are typically an intermediary to route traffic between services. Sort of like a "middle ground". Where-as the ingress controllers are more about handling frontend app traffic. Like comment: Like comment: 4 likes Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Michael Levan Follow Building High-Performing Agentic Environments | CNCF Ambassador | Microsoft MVP (Azure) | AWS Community Builder | Published Author & Public Speaker Location North New Jersey Joined Feb 8, 2020 More from Michael Levan Running Any AI Agent on Kubernetes: Step-by-Step # ai # programming # kubernetes # cloud Context-Aware Networking & Runtimes: Agentic End-To-End # ai # kubernetes # programming # cloud Security Holes in MCP Servers and How To Plug Them # programming # ai # kubernetes # docker 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#5-your-privacy-choices-and-rights | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://apisyouwonthate.com/author/phil/ | Phil Sturgeon - APIs You Won't Hate Newsletter Articles Books Podcast Membership Sign in Subscribe Phil Sturgeon Co-founder of APIs You Won't Hate, consultant/writer on all things API, working on green/climate tech, and restoring nautral habitats as co-founder of @ProtectEarthUK. Bath, UK php Zero-Downtime Migration from Laravel Vapor to Laravel Cloud Move your Laravel API from Vapor to Cloud in phases, without making a complete hash of it and wishing you never bothered. By Phil Sturgeon 08 Dec 2025 Automatically Upgrade to OpenAPI v3.2 Upgrade old OpenAPI/Swagger documents to the latest and greatest OAS 3.2 with ease. By Phil Sturgeon 13 Oct 2025 openapi OpenAPI Format: A GUI for Overlays Overlays can be tricky to wrap your head around, but this handy GUI can help it all make sense. By Phil Sturgeon 10 Oct 2025 geojson Stream GeoJSON in a HTTP/REST API Once you've learned the basics of JSON Streaming in APIs, it starts to become a whole lot more interesting for a whole lot more use-cases. By Phil Sturgeon 05 Oct 2025 streaming Streaming Data with REST APIs Are you forcing API clients to wait for every single byte of massive JSON collections to be sent from the server before letting them render data that's ready already? By Phil Sturgeon 12 Sep 2025 openapi JSON Streaming in OpenAPI v3.2 Learn how OpenAPI v3.2 helps describe JSON Streaming, and in the process find out more about what the heck JSON streaming even is. By Phil Sturgeon 08 Sep 2025 api-design Goodbye Apiary.io, You'll Be Missed Today we say farewell to a legend in the API documentation space as O.G. API design-first solution Apiary.io shuts its doors. By Phil Sturgeon 04 Aug 2025 api-tools Generating OpenAPI docs for Java with Spring Boot Learn how to export OpenAPI from your Spring Boot application with Springdoc. By Phil Sturgeon, Alexander Karan 04 Aug 2025 documentation The 5 Best API Docs Tools in 2025 Which API documentation tool is the best? It Depends™! Let's go through the best modern tooling and look at when you might want to pick one over another. By Phil Sturgeon, Alexander Karan 30 Jul 2025 api-governance API Design Reviews Don't Have to be Hard A quick look at how you can handle API design reviews in pull requests using Bump.sh instead of forcing everyone to stare into a chasm of YAML diffs. By Phil Sturgeon 23 May 2025 green tech HTTP Caching APIs with Laravel and Vapor Stop wasting server(less) resources answering the same questions over and over again, by enabling CloudFront for your Laravel REST/HTTP API. By Phil Sturgeon 25 Apr 2025 api-design API Design Basics: Cacheability Designing an API with cacheability in mind produces a more sensible and better separated set of resources, and it just so happens to be more performant, cheaper, and better for the environment. By Phil Sturgeon 18 Apr 2025 See all APIs You Won't Hate The largest community for API Devs on the web. Subscribe Recommendations Alexander Karan’s Blog blog.alexanderkaran.com Senior Software Engineer at Atlassian. JavaScript dev, TedX speaker and blogger with a passion for software architecture. Alex is APIs You Won't Hate's resident newsletter-writer-in-chief. OpenAPI.Tools - an Open Source list of great tools for OpenAPI. openapi.tools OpenAPI.tools is a comprehensive and open source list of resources for developers working with OpenAPI. Protect Earth | Planting trees to save the earth protect.earth Our purpose is simple: we aim to plant, and help people plant, as many trees as possible in the UK to help mitigate the climate crisis. Phil Sturgeon's Blog philsturgeon.com The personal blog of Phil Sturgeon, founder of APIs You Won't Hate. A Digital nomad, writing about APIs, van life, and trying to save the planet through reforestation and green tech. 💌 Tiny Improvements, from Mike Bifulco mikebifulco.com A weekly newsletter for product builders. It's a single, tiny idea to help you build better products, written by CTO of a YC company (and one of the founders of APIs You Won't Hate) See all Sign up About Powered by Ghost Are you ready to build APIs You Won't Hate? Join now to subscribe to our twice-monthly newsletter, access to our Slack Channel, and other subscriber benefits. Unsubscribe any time. Subscribe | 2026-01-13T08:48:12 |
https://docs.microsoft.com/en-us/visualstudio/releases/2019/release-notes#16.5.4 | Visual Studio 2019 version 16.11 Release Notes | Microsoft Learn Skip to main content Skip to Ask Learn chat experience This browser is no longer supported. Upgrade to Microsoft Edge to take advantage of the latest features, security updates, and technical support. Download Microsoft Edge More info about Internet Explorer and Microsoft Edge Table of contents Exit editor mode Ask Learn Ask Learn Focus mode Table of contents Read in English Add Add to plan Share via Facebook x.com LinkedIn Email Print Note Access to this page requires authorization. You can try signing in or changing directories . Access to this page requires authorization. You can try changing directories . Visual Studio 2019 version 16.11 Release Notes Feedback Summarize this article for me In this article What's New in Visual Studio 2019 version 16.11 Important This is not the latest version of Visual Studio. To download the latest release, please visit https://visualstudio.microsoft.com/downloads/ and see the Visual Studio 2022 release notes . Support Timeframe Visual Studio 2019 version 16.11 is the final supported servicing baseline for Visual Studio 2019. Enterprise and Professional customers needing to adopt a long term stable and secure development environment are encouraged to standardize on this version. As explained in our lifecycle and support policy , version 16.11 will be supported with fixes and security updates through April 2029, which is the remainder of the Visual Studio 2019 product lifecycle. You can acquire the latest most secure version of Visual Studio 2019 version 16.11, by visiting the Visual Studio site, or by going to the downloads section of my.visualstudio.com . You can get updates from the Microsoft Update catalog . For more information about Visual Studio supported baselines, please review the support policy for Visual Studio 2019 . Visual Studio 2019 version 16.11 Releases November 11, 2025 — Visual Studio 2019 version 16.11.53 October 14, 2025 — Visual Studio 2019 version 16.11.52 September 9, 2025 — Visual Studio 2019 version 16.11.51 August 12, 2025 — Visual Studio 2019 version 16.11.50 July 8, 2025 — Visual Studio 2019 version 16.11.49 June 10, 2025 — Visual Studio 2019 version 16.11.48 May 13, 2025 — Visual Studio 2019 version 16.11.47 April 8, 2025 — Visual Studio 2019 version 16.11.46 March 11, 2025 — Visual Studio 2019 version 16.11.45 February 11, 2025 — Visual Studio 2019 version 16.11.44 January 14, 2025 — Visual Studio 2019 version 16.11.43 November 12, 2024 — Visual Studio 2019 version 16.11.42 October 8, 2024 — Visual Studio 2019 version 16.11.41 September 10, 2024 — Visual Studio 2019 version 16.11.40 August 13, 2024 — Visual Studio 2019 version 16.11.39 July 9, 2024 — Visual Studio 2019 version 16.11.38 June 11, 2024 — Visual Studio 2019 version 16.11.37 May 14, 2024 — Visual Studio 2019 version 16.11.36 April 9, 2024 — Visual Studio 2019 version 16.11.35 February 13, 2024 — Visual Studio 2019 version 16.11.34 January 9, 2024 — Visual Studio 2019 version 16.11.33 November 14, 2023 — Visual Studio 2019 version 16.11.32 October 12, 2023 — Visual Studio 2019 version 16.11.31 September 12, 2023 — Visual Studio 2019 version 16.11.30 August 8, 2023 — Visual Studio 2019 version 16.11.29 July 25, 2023 — Visual Studio 2019 version 16.11.28 June 13, 2023 — Visual Studio 2019 version 16.11.27 April 11, 2023 — Visual Studio 2019 version 16.11.26 March 14, 2023 — Visual Studio 2019 version 16.11.25 February 14, 2023 — Visual Studio 2019 version 16.11.24 January 10, 2023 — Visual Studio 2019 version 16.11.23 December 13, 2022 — Visual Studio 2019 version 16.11.22 November 8, 2022 — Visual Studio 2019 version 16.11.21 October 11, 2022 — Visual Studio 2019 version 16.11.20 September 13, 2022 — Visual Studio 2019 version 16.11.19 August 9, 2022 — Visual Studio 2019 version 16.11.18 July 12, 2022 — Visual Studio 2019 version 16.11.17 June 14, 2022 — Visual Studio 2019 version 16.11.16 May 17, 2022 — Visual Studio 2019 version 16.11.15 May 10, 2022 — Visual Studio 2019 version 16.11.14 April 19, 2022 — Visual Studio 2019 version 16.11.13 April 12, 2022 — Visual Studio 2019 version 16.11.12 March 8, 2022 — Visual Studio 2019 version 16.11.11 February 8, 2022 — Visual Studio 2019 version 16.11.10 January 11, 2022 — Visual Studio 2019 version 16.11.9 December 14, 2021 — Visual Studio 2019 version 16.11.8 November 16, 2021 — Visual Studio 2019 version 16.11.7 November 09, 2021 — Visual Studio 2019 version 16.11.6 October 12, 2021 — Visual Studio 2019 version 16.11.5 October 05, 2021 — Visual Studio 2019 version 16.11.4 September 14, 2021 — Visual Studio 2019 version 16.11.3 August 25, 2021 — Visual Studio 2019 version 16.11.2 August 16, 2021 — Visual Studio 2019 version 16.11.1 August 10, 2021 — Visual Studio 2019 version 16.11.0 Visual Studio 2019 Archived Release Notes Visual Studio 2019 version 16.10 Release Notes Visual Studio 2019 version 16.9 Release Notes Visual Studio 2019 version 16.8 Release Notes Visual Studio 2019 version 16.7 Release Notes Visual Studio 2019 version 16.6 Release Notes Visual Studio 2019 version 16.5 Release Notes Visual Studio 2019 version 16.4 Release Notes Visual Studio 2019 version 16.3 Release Notes Visual Studio 2019 version 16.2 Release Notes Visual Studio 2019 version 16.1 Release Notes Visual Studio 2019 version 16.0 Release Notes Visual Studio 2019 Blog The Visual Studio 2019 Blog is the official source of product insight from the Visual Studio Engineering Team. You can find in-depth information about the Visual Studio 2019 releases in the following posts: Visual Studio 2019 v16.11 is Available Now! Visual Studio 2019 v16.10 and v16.11 Preview 1 are Available Today! Enhanced Productivity with Git in Visual Studio Available Today! Visual Studio 2019 v16.9 and v16.10 Preview 1 Visual Studio 2019 v16.9 Preview 3 is Available Today! Visual Studio 2019 v16.9 Preview 2 and New Year Wishes Coming to You! Visual Studio 2019 v16.8 and v16.9 Preview Available Today New Features in Visual Studio 2019 v16.8 Preview 3.1 Visual Studio 2019 v16.8 Preview 2 Releases New Features Today! Visual Studio 2019 v16.7 and v16.8 Preview 1 Release Today! Visual Studio 2019 v16.7 Preview 2 Available Today! Exciting new updates to the Git experience in Visual Studio Releasing Today! Visual Studio 2019 v16.6 & v16.7 Preview 1 Visual Studio 2019 version 16.6 Preview 2 Releases New Features Your Way Visual Studio 2019 version 16.5 is now available! 'Tis the Season for Visual Studio 2019 v16.4 Release Visual Studio 2019 v16.4 Preview 2, Fall Sports, and Pumpkin Spice .NET Core Support and More in Visual Studio 2019 version 16.3 - Update Now! Visual Studio 2019 version 16.3 Preview 2 and Visual Studio 2019 for Mac version 8.3 Preview 2 Released! Visual Studio 2019 version 16.2 and 16.3 Preview 1 now available Visual Studio 2019 version 16.2 Preview 2 Visual Studio 2019 version 16.1 and Preview 16.2 Preview Visual Studio 2019: Code faster. Work smarter. Create the future. Visual Studio 2019 version 16.11.53 released November 11th, 2025 Issues Addressed in this release Update Git for Windows Individual Component to v2.51.1.1 Developer Community New Visual Studio 2022 Updates Include LibCurl Library that Breaks Git Visual Studio 2019 version 16.11.52 released October 14th, 2025 Issues Addressed in this release Updated MinGit to v2.50.1 to address an issue where users with repositories located on ReFS volumes and Windows Server 2022 couldn't perform Git operations with VS IDE . Removed the 32-bit version of the Git for Windows Individual Component for x86 machines, as support dropped per 32-bit . Security advisories addressed CVE-2025-55240 Visual Studio Remote Code Execution Vulnerability - Untrusted Search Path Remote Code Execution Vulnerability in Gulpfile Visual Studio 2019 version 16.11.51 released September 9th, 2025 Issues Addressed in this release This update includes fixes pertaining to Visual Studio compliance. Visual Studio 2019 version 16.11.50 released August 12th, 2025 Issues Addressed in this release The following Windows SDK versions have been removed from the Visual Studio 2019 installer: 10.0.16299.0 10.0.17134.0 10.0.17763.0 10.0.18362.0 10.0.20348.0 10.0.22000.0 If you previously installed one of these versions of the SDK using Visual Studio it will be uninstalled when you update. If your project targets any of these SDKs you may encounter a build error such as: The Windows SDK version 10.0.22000.0 was not found. Install the required version of Windows SDK or change the SDK version in the project property pages or by right-clicking the solution and selecting "Retarget solution". To resolve this, we recommend retargeting your project to 10.0.22621.0, or an earlier supported version if necessary. For a complete list of supported SDK versions please visit: https://developer.microsoft.com/windows/downloads/sdk-archive/ . If you need to install an unsupported version of the SDK, you can find it here: https://developer.microsoft.com/windows/downloads/sdk-archive/index-legacy/ . Visual Studio 2019 version 16.11.49 released July 8th, 2025 Issues Addressed in this release Security advisories addressed CVE-2025-49739 Visual Studio - Elevation Of Privilege - Time-of-check to time-of-use in Standard Collector Service allows Local privilege escalation CVE-2025-27613 Gitk Arguments Vulnerability CVE-2025-27614 Gitk Abitryary Code Execution Vulnerability CVE-2025-46334 Git Malicious Shell Vulnerability CVE-2025-46835 Git File Overwrite Vulnerability CVE-2025-48384 Git Symlink Vulnerability CVE-2025-48385 Git Protocol Injection Vulnerability CVE-2025-48386 Git Credential Helper Vulnerability Visual Studio 2019 version 16.11.48 released June 10th, 2025 Issues Addressed in this release Updated the VS installer to include the latest servicing releases for Windows SDK versions 10.0.19041.0 and 10.0.22621.0. Visual Studio 2019 version 16.11.47 released May 13th, 2025 Issues Addressed in this release Fixed an issue in the modern query work item TFVC checkin-policy that prevented the project name from being retrieved. Fixed an issue in the forbidden patterns TFVC check-in policy that caused the patterns to be "forgotten" by the policy after it was created. Security advisories addressed CVE-2025-32703 Access to ETW tracing not known by Admin installing VS on the machine CVE-2025-32702 Remote Code Execution due to nuget package squatting CVE-2025-26646 .NET - Spoofing - Elevation of Privilege in msbuild's DownloadFile tasks default behaviors Visual Studio 2019 version 16.11.46 released April 8th, 2025 Issues addressed in this release Added support for modern TFVC Check-in Policies, as well as guidance and warnings when obsolete TFVC Check-in Policies are being applied. Visual Studio 2019 version 16.11.45 released March 11th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-25003 Visual Studio Elevation of Privilege Vulnerability CVE-2025-24998 Visual Studio Installer Elevation of Privilege Vulnerability Visual Studio 2019 version 16.11.44 released February 11th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-21206 Visual Studio Installer Elevation of Privilege - Uncontrolled Search Path Element allows an unauthorized attacker to elevate privileges locally. CVE-2023-32002 Node.js Module._load() policy Remote Code Execution - The use of Module._load() can bypass the policy mechanism and require modules outside of the policy.json definition for a given module. Visual Studio 2019 version 16.11.43 released January 14th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-21172 .NET and Visual Studio Remote Code Execution Vulnerability CVE-2025-21176 .NET, .NET Framework, and Visual Studio Remote Code Execution Vulnerability CVE-2025-21178 Visual Studio Remote Code Execution Vulnerability CVE-2024-50338 Carriage-return character in remote URL allows malicious repository to leak credentials Visual Studio 2019 version 16.11.42 released November 12th, 2024 Issues addressed in this release Developer Community Microsoft GDK for Xbox builds all fail with VS 2019 16.11.41 servicing release Visual Studio 2019 version 16.11.41 released October 8th, 2024 Issues addressed in this release Security advisories addressed CVE-2024-43603 Denial of Service Vulnerability in Visual Studio Collector Service CVE-2024-43590 Elevation of Privilege Vulnerability in Visual Studio C++ Redistributable Installer Visual Studio 2019 version 16.11.40 released September 10th, 2024 Issues addressed in this release Security advisories addressed CVE-2024-35272 SQL Server Native Client OLE DB Provider Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.39 released August 13th, 2024 Issues addressed in this release IntelliCode model update, so users will get the models directly and are no longer dependent on backend services for downloads. Security advisories addressed CVE-2024-29187 (Republished) - WiX based installers are vulnerable to binary hijack when run as SYSTEM Visual Studio 2019 version 16.11.38 released July 9th, 2024 Issues addressed in this release Version 6.2 of AzCopy is no longer distributed as part of the Azure Workload in Visual Studio due to deprecation. The latest supported release of AzCopy can be downloaded from Get started with AzCopy . Update MinGit to v2.45.2.1 that includes GCM 2.5 which addresses an issue with the previous GCM version where it reported an error back to Git after cloning and made it appear like the clone had failed. Visual Studio 2019 version 16.11.37 released June 11th, 2024 Issues addressed in this release After upgrading to Germanium build of Windows, WSL requires a manual upgrade. This can cause Visual Studio to hang when opening CMake projects. Security advisories addressed CVE-2024-30052 Remote Code Execution when debugging dump files that contain a malicious file with an appropriate extension CVE-2024-29060 Elevation of Privilege where affected installation of Visual Studio is running CVE-2024-29187 WiX based installers are vulnerable to binary hijack when run as SYSTEM Visual Studio 2019 version 16.11.36 released May 14th, 2024 Issues addressed in this release This release includes an OpenSSL update to v3.2.1 Security advisories addressed CVE-2024-32002 Recursive clones on case-insensitive filesystems that support symlinks are susceptible to Remote Code Execution. CVE-2024-32004 Remote Code Execution while cloning special-crafted local repositories Visual Studio 2019 version 16.11.35 released April 9th, 2024 Issues addressed in this release With this bug fix, a client can now use the bootstrapper in a layout and pass in the --noWeb parameter to install on a client machine and ensure that both the installer and the Visual Studio product are downloaded only from the layout. Previously, sometimes during the installation process, the installer would not respect the -noWeb parameter and would try to self-update itself from the web. Security advisories addressed CVE-2024-28929 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28930 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28931 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28932 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28933 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28934 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28935 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28936 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28937 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28938 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28941 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28943 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-29043 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. Visual Studio 2019 version 16.11.34 released February 13th, 2024 Issues addressed in this release Developer Community fatal error C1001: Internal compiler error VS2022 is using too old node.js version 16 - any plans to upgrade? Security advisories addressed CVE-2024-0057 A security feature bypass vulnerability exists when Microsoft .NET Framework-based applications use X.509 chain building APIs but do not completely validate the X.509 certificate due to a logic flaw. Visual Studio 2019 version 16.11.33 released January 9th, 2024 Issues Addressed in this release Updated MinGit to v2.43.0.1 which comes with OpenSSL v3.1.4 and addresses a regression where network operations were really slow under certain circumstances. Security Advisories Addressed CVE-2024-20656 A vulnerability exists in the VSStandardCollectorService150 service, where local attackers can escalate privileges on hosts where an affected installation of Microsoft Visual Studio is running. CVE-2023-32027 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32025 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32026 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-29356 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32028 This advisory is republished to address a Microsoft SQL OLE DB Remote Code Execution vulnerability in Visual Studio. CVE-2023-29349 This advisory is republished to address a Microsoft ODBC and OLE DB Remote Code Execution vulnerability in Visual Studio. Visual Studio 2019 version 16.11.32 released November November 14th, 2023 Issues Addressed in this release Developer Community Rename Solution Folder in VS2019 results in Object Reference error Security Advisories Addressed CVE-2023-36042 A denial of service vulnerability exists in Visual Studio where a malformed decorated name can result in an infinite loop. Visual Studio 2019 version 16.11.31 released October 10th, 2023 Issues Addressed in this release Updated version of Git used by Visual Studio to v 2.41.0.3. Visual Studio 2019 version 16.11.30 released September 12th, 2023 Issues Addressed in this release Security Advisories Addressed CVE-2023-36796 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36794 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36793 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36792 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36759 This security update removes pgodriver.sys, where reading a malicious file can lead to Elevation of Privilege Visual Studio 2019 version 16.11.29 released August 8th, 2023 Issues Addressed in this release Addressed an issue where VSWhere's all switch would not return instances in an un-launchable state. Security Advisories Addressed CVE-2023-36897 Visual Studio 2010 Tools for Office Runtime Spoofing Vulnerability This security update addresses a vulnerability where unauthenticated remote attacker can sign VSTO Add-ins deployments without a valid code signing certificate. Visual Studio 2019 version 16.11.28 released July 25th, 2023 Issues Addressed in this release error in creating project in web application Visual Studio 2019 version 16.11.27 released June 13th, 2023 Issues Addressed in this release ActiveX Control Variable wizard will generate ActiveX properties as well as functions, restoring the functionality from Visual Studio 2015. As part of this update, to address CVE-2023-27909, CVE-2023-27910, and CVE-2023-27911, we are removing .fbx and .dae support. This is a third-party x86 component that is no longer supported by the author. Affected users should use the fbx editor . Developer Community JSON Schemas don't work with localized Visual Studio JumpThreading Fix for JT value numbering invalidation Security Advisories Addressed CVE-2023-24897 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in the MSDIA SDK where corrupted PDBs can cause heap overflow, leading to a crash or remote code execution. CVE-2023-25652 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability where specially crafted input to git apply –reject can lead to controlled content writes at arbitrary locations. CVE-2023-25815 Visual Studio Spoofing Vulnerability This security update addresses a vulnerability where Github localization messages refer to a hard-coded path instead of respecting the runtime prefix that leads to out-of-bound memory writes and crashes. CVE-2023-29007 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which a configuration file containing a logic error results in arbitrary configuration injection. CVE-2023-29011 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which the Git for Windows executable responsible for implementing a SOCKS5 proxy is susceptible to picking up an untrusted configuration on multi-user machines. CVE-2023-29012 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which the Git for Windows Git CMD program incorrectly searches for a program upon startup, leading to silent arbitrary code execution. CVE-2023-27909 Visual Studio Remote Code Execution Vulnerability This security update addresses an Out-Of-Bounds Write Vulnerability in Autodesk® FBX® SDK where version 2020 or prior may lead to code execution through maliciously crafted FBX files or information disclosure. CVE-2023-27910 Visual Studio Information Disclosure Vulnerability This security update addresses a vulnerability where a user may be tricked into opening a malicious FBX file that may exploit a stack buffer overflow vulnerability in Autodesk® FBX® SDK 2020 or prior which may lead to remote code execution. CVE-2023-27911 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability where a user may be tricked into opening a malicious FBX file that may exploit a heap buffer overflow vulnerability in Autodesk® FBX® SDK 2020 or prior which may lead to remote code execution. CVE-2023-33139 Visual Studio Information Disclosure Vulnerability This security update addresses a OOB vulnerability where the obj file parser in Visual Studios leads to information disclosure. Visual Studio 2019 version 16.11.26 released April 11th, 2023 Issues Addressed in this release Fixed an issue in IIS Express that could cause a crash when updating telemetry data. Fixed a crash when invalid input is sent to the driver used during PGO training for kernel mode drivers. Developer Community iisexpress crashes in ntdll.dll Security Advisories Addressed CVE-2023-28296 Visual Studio Remote Code Execution Vulnerability CVE-2023-28299 Visual Studio Spoofing Vulnerability CVE-2023-28262 Visual Studio Elevation of Privilege Vulnerability CVE-2023-28263 Visual Studio Information Disclosure Vulnerability Visual Studio 2019 version 16.11.25 released March 14th, 2023 Issues Addressed in this release Git 2.39 has renamed the value for credential.helper from "manager-core" to "manager". See https://aka.ms/gcm/rename for more information. Updates to mingit and Git for Windows package to v2.39.2, which addresses CVE-2023-22490 Security Advisories Addressed CVE-2023-22490 Mingit Remote Code Execution Vulnerability CVE-2023-22743 Git for Windows Installer Elevation of Privilege Vulnerability CVE-2023-23618 Git for Windows Remote Code Execution Vulnerability CVE-2023-23946 Mingit Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.24 released February 14th, 2023 Issues Addressed in this release Updated CPython interpreter to version 3.9.13. Updated mingit and Git for Windows package to v2.39.1.1, which addresses CVE-2022-41903 Security Advisories Addressed CVE-2023-21566 Visual Studio Installer Elevation of Privilege Vulnerability CVE-2023-21567 Visual Studio Denial of Service Vulnerability CVE-2023-21808 .NET and Visual Studio Remote Code Execution Vulnerability CVE-2023-21815 Visual Studio Remote Code Execution Vulnerability CVE-2023-23381 Visual Studio Code Remote Code Execution Vulnerability CVE-2022-23521 gitattributes parsing integer overflow CVE-2022-41903 Heap overflow in git archive , git log --format leading to RCE CVE-2022-41953 Git GUI Clone Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.23 released January 10th, 2023 Security Advisories Addressed CVE-2023-21538 .NET Denial of Service Vulnerability A denial of service vulnerability exists in .NET 6.0 where a malicious client could cause a stack overflow which may result in a denial of service attack when an attacker sends an invalid request to an exposed endpoint. Visual Studio 2019 version 16.11.22 released December 13th, 2022 Security Advisories Addressed CVE-2022-41089 Remote Code Execution A remote code execution vulnerability exists in .NET Core 3.1, .NET 6.0, and .NET 7.0, where a malicious actor could cause a user to run arbitrary code as a result of parsing maliciously crafted xps files. Visual Studio 2019 version 16.11.21 released November 8th, 2022 Issues Addressed in this release Added conditional guards to fix incorrect references in AMD64 optimizations for boost, stl_interfaces. Security Advisories Addressed CVE-2022-41119 Remote Code Execution Heap Overflow Vulnerbaility in Visual Studio CVE-2022-39253 Information Disclosure Local clone optimization dereferences symbolic links by default Visual Studio 2019 version 16.11.20 released October 11, 2022 Issues Addressed in this release Made Resource View appear more reliably for projects that are reloaded Administrators will be able to update the VS Installer on an offline client machine from a layout without updating VS. Security Advisories Addressed CVE-2022-41032 .NET Elevation of Privilege Vulnerability A vulnerability exists in .NET 7.0.0-rc.1, .NET 6.0, .NET Core 3.1, and NuGet clients (NuGet.exe, NuGet.Commands, NuGet.CommandLine, NuGet.Protocol) where a malicious actor could cause a user to execute arbitrary code. Visual Studio 2019 version 16.11.19 released Septemenber 13, 2022 Issues Addressed in this release Made Resource View appear more reliably for projects that are reloaded Security Advisories Addressed CVE-2022-38013 .NET Denial of Service Vulnerability A denial of service vulnerability exists in ASP.NET Core 3.1 and .NET 6.0 where a malicious client could cause a stack overflow which may result in a denial of service attack when an attacker sends a customized payload that is parsed during model binding. Visual Studio 2019 version 16.11.18 released August 9th, 2022 From Developer Community Coded UI in VS2019 - VS crashing when opening and/or expanding UI maps Launching multiple startup projects fails with the error message Security Advisories Addressed CVE-2022-34716 .NET Information Disclosure Vulnerability An information disclosure vulnerability exists in .NET 6.0 and .NET Core 3.1 that could lead to unauthorized access of privileged information. CVE-2022-31012 Remote Code Execution Git for Windows' installer can be tricked into executing an untrusted binary CVE-2022-29187 Elevation of Privilege Malicious users can create a .git directory in a folder that is owned by a super-user CVE-2022-35777 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap overflow Vulnerability CVE-2022-35825 Remote Code Execution Visual Studio 2022 Preview Fbx File parser OOBW Vulnerability CVE-2022-35826 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap overflow Vulnerability CVE-2022-35827 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap OOBW Vulnerability Visual Studio 2019 version 16.11.17 released July 12, 2022 Issues Addressed in this release Updated LibraryManager to accommodate changes to cdnjs API From Developer Community Crash with ASAN and setmaxstdio Visual Studio 2019 version 16.11.16 released June 14, 2022 From Developer Community IntelliSense issues with C++ on VS 2019 v16.11.6 or newer, including VS 2022 17.0.5, 17.0.6 and 17.1.0 Security Advisories Addressed CVE-2022-30184 .NET Information Disclosure Vulnerability A vulnerability exists in .NET 6.0 and .NET Core 3.1 within NuGet where a credential leak can occur. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.15 released May 17, 2022 Issues Addressed in this release Fixed connections for Azure SQL Managed Instance in SQL Server Data Tools, including Schema Compare and SQL Server explorer. Note: Support for Azure Arc enabled Managed Instance is pending a future release ( In the Community ) From Developer Community Is SSDT Schema Compare broken for Azure DB Managed Instance connections? Visual Studio 2019 version 16.11.14 released May 10, 2022 Issues Addressed in this release Added the implementation for the remaining C++20 defect reports (a.k.a. backports). All C++20 features are now available under the /std:c++20 switch. For more information about the implemented backports, please see C++20 Defect Reports project on microsoft/STL GitHub repository and this blogpost Updated Git for Windows version consumed by Visual Studio and installable optional component to 2.36.0.1 Fixed an issue with git integration, where if pulling/synchronizing branches that have diverged, output window would not show a localized hint on how to resolve it. From Developer Community Visual Studio 2019 creates bad key vault secret value while configuring Azure Cloud Service remote desktop, breaking VS UI Security Advisories Addressed CVE-2022-29117 .NET Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can manipulate cookies and cause a Denial of Service. CVE-2022-23267 .NET Core Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can cause a Denial of Service via excess memory allocations through HttpClient. CVE-2022-29145 .NET Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can can cause a Denial of Service when HTML forms are parsed. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.13 released April 19, 2022 Issues Addressed in this release Fixed vctip.exe regression from 16.11.12 Fixed a bug that prevented some applications built with Address Sanitizer (ASAN) to load in Windows 11. Fixed another ASAN issue where multi-threaded applications with heap contention may experience deadlocks, false "wild pointer freed" reports, or a deadlock during process exit. Visual Studio 2019 version 16.11.12 released April 12, 2022 Issues Addressed in this release Fixed an issue that would cause some animations for test execution to run in the background even when the associated test executions were complete. This causes slowdowns that were especially noticeable on high refresh rate monitors. The fix should improve the experience of using VS on high refresh rate monitors. Removed an unnecessary warning when connecting to a LiveShare server that didn't offer certain functionality used by the client. From Developer Community Optimized Qt applications crash on startup on ARM64 I get an error Live Share: The user of the output channel works with limited functionality due to the absence of a dependent service. Find in IVsTextImage does not work in VisualStudio 2019 Security Advisories Addressed CVE-2022-24765 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists in Git for Windows, in which Git operations could run outside a repository while seraching for a Git directory. Git for Windows is now updated to version 2.35.2.1. CVE-2022-24767 DLL hijacking vulnerability A potential DLL hijacking vulnerability exists in Git for Windows installer, when running the uninstaller under the SYSTEM user account. Git for Windows is now updated to version 2.35.2.1. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.11 released March 8, 2022 Issues Addressed in this release Fixed an issue with remote debugging, especially affecting Azure App Service, where authentication failures would sometimes fail with 'The connection with the remote endpoint was terminated' and Visual Studio would not prompt for credentials. Improved performance on high refresh rate monitors. From Developer Community Internal compiler error in fold expression with += operator on 16.11 consteval constructor and C7595 cl does not make special member functions implicitly constexpr Can't have freestanding requires expressions There are no configured extension galleries in VS 2019 Sql Server object explorer does not show indexes SQL project does not build if it has File storage tables Security Advisories Addressed CVE-2020-8927 Vulnerability A Remote code Execution vulnerability exists in .NET 5.0 and .NET Core 3.1 where a buffer overflow exists in the Brotli library versions prior to 1.0.8. CVE-2022-24464 Vulnerability A denial of service vulnerability exists in .NET 6.0, .NET 5.0, and .NET CORE 3.1 when parsing certain types of http form requests. CVE-2022-24512 Vulnerability A Remote Code Execution vulnerability exists in .NET 6.0, .NET 5.0, and .NET Core 3.1 where a stack buffer overrun occurs in .NET Double Parse routine. CVE-2021-3711 OpenSSL Buffer Overflow vulnerability A potential buffer overflow vulnerability exists in OpenSSL, which is consumed by Git for Windows. Git for Windows is now updated to version 2.35.1.2, which addresses this issue. Visual Studio 2019 version 16.11.10 released February 8, 2022 Issues Addressed in this Release Fixed an issue that has caused sporadic C++ linker crashes. Silent bad codegen issue with x64. An issue that prevented files from being deleted while they were being processed by background C++ static analysis. Resolved an issue in C++ ATL CString equality operator under C++20 mode. Fixed an issue that could have prevented an initializer from running in a load test scenario. From Developer Community Missing comparison operators between LPCWSTR and CString in VS 16.11.8 x64 optimizer bug VC++2019 16.11.4 Security Advisories Addressed CVE-2022-21986 Vulnerability A Denial of Service vulnerability exists in .NET 5.0 and .NET 6.0 when the Kestrel web server processes certain HTTP/2 and HTTP/3 requests. Visual Studio 2019 version 16.11.9 released January 11, 2022 Issues Addressed in this Release Fixed an issue with being unable to debug applications multiple times when Windows Terminal is used as the default terminal. Setup fix to unblock customers on restricted configurations Fixed an issue that prevented a client from being able to update a more current bootstrapper. Once the client is using the bootstrapper and installer that shipped January 2022 or later, all updates using subsequent bootstrappers should work for the duration of the product lifecycle. Addressed occasional instance where VSInstr would not exit when instrumenting a binary with volatile metadata causing Instrumentation Profiling to fail. Fixed an issue were compiling C++ code with very large functions using /Og or #pragma optimize("g") can generate invalid code (bad codegen) Fixed a bug in C++ Concurrency::parallel_for_each that was crashing the calling process due to integer overflow From Developer Community Console application runs only once when the Windows Terminal is selected as Default Terminal Application Visual Studio 2019 version 16.11.8 released December 14, 2021 Issues Addressed in this Release Bidirectional text control character rendering To prevent a potentially malicious exploit that allows code to be misrepresented, the Visual Studio editor will no longer allow bidirectional text control characters to manipulate the order of characters on the editing surface. A new option will cause these bidirectional text control characters to be shown with placeholders. The bidirectional text control characters will still be present in the code as this behavior only impacts what is rendered in the code editor. This functionality is controlled in Tools\Options. Under the Text Editor\General page there is an option for “Show bidirectional text control characters”, which will be checked by default. When checked, all bidirectional text control characters will be rendered as placeholders. Unchecking the option will revert to the previous behavior where these characters are not rendered. A Unicode character is considered a bidirectional text control character if it falls into any of the following ranges: U+061c, U+200e-U+200f, U+202a-U+202e, U+2066-U+2069. Corrected an issue in C++ compiler where a templated destructor involved in a class hierarchy with data member initializers may be instantiated too early, potentially leading to incorrect diagnostics about uses of undefined types or other errors. Fixed an issue in ATL's CString comparisions under C++20 and C++Latest language modes. Added Python 3.9.7 to Python workload. Removed Python 3.7.8 due to a security vulnerability. From Developer Community Referenced DacPac file causes deployment to process refactorlog even if IncludeCompositeObjects is false CString with spaceship operator <=> returns incorrect result (affects std::map, std::set, etc.) Visual Studio sqldb project unable to create primary key with (statistics_incremental = on) on table Template inheritance sometimes forces improper instantiation. Visual Studio 2019 freezes when comparing aspx/aspx.vb files Microsoft.Azure.Compute.Emulator.EXE will not be updated Security Advisories Addressed CVE-2021-43877 .NET Vulnerability An elevation of privilege vulnerability exists in ANCM which could allow elevation of privilege when .NET core, .NET 5 and .NET 6 applications are hosted within IIS. CVE-2021-42574 Bidirectional Text Vulnerability Bidirectional text control characters can be used to cause code to be rendered in the editor differently from what is contained on disk. Visual Studio 2019 version 16.11.7 released November 16, 2021 Issues Addressed in this Release Adds Xcode 13.1 support. The bootstrappers now respect the --useLatestInstaller parameter, which causes the latest installer to be integrated into layout. This latest installer, which ships with Visual Studio 2022, enables the scenario where enterprises want to transition their clients from one layout location to another. For more information, refer to the [Visual Studio Administrators Guide](* The bootstrappers now respect the --useLatestInstaller parameter, which causes the latest installer to be integrated into layout. This latest installer, which ships with Visual Studio 2022, enables the scenario where enterprises want to transition their clients from one layout location to another. For more information, refer to the Visual Studio Administrators Guide .). Fixed an issue wehre WAP projects would not appear in the startup projects tool bar combo box. Fixed issue with Windows Application Projects (WAP) where, in certain circumstances, final application bundle contains wrong binaries. Prevent opening "Team Explorer > Manage Connections" or "Git Changes" windows from causing TFVC solutions to be unloaded. From Developer Community Starting Version 16.8.0 up to 16.9.1 becomes unresponsive and restarts frequently IntelliSense error with std::source_location::current() Visual Studio 2019 version 16.10 - UWP - Xamarin: Runtime exception 'Could not load file or assembly' after updating to Visual Studio 16.10 Visual Studio 2019 version 16.11.3 - Packaging UWP application fails 16.11.6: Package 'AndroidImage_x86_API125_Private,version=10.0.0.3' failed to install Visual Studio 2019 version 16.11.6 released November 09, 2021 Issues Addressed in this Release Address occasional instance where VSInstr would not exit when instrumenting a binary with volatile metadata. Fix for "value of range" errors when using C++ IntelliSense. Under certain conditions with an international locale selected fsi would crash when run from Visual Studio. This release fixes the issue and fsi should now operate correctly. Fixes an issue that could cause Visual Studio to build, debug, or run tests against binaries that weren't brought up to date with your latest code changes. Fixes a thread pool leak during Cloud Services local debugging. Add support for Android 12 APIs. Fixes a potential deadlock when closing Performance Profiler or Diagnostic Tools on Windows Server machines. Fixes a delay in VS startup. Security Advisories Addressed CVE-2021-42319 Elevation of Privilege Vulnerability An Elevation of Privilege vulnerability exists in the WMI Provider that is included in the Visual Studio installer. CVE-2021-42277 Diagnostics Hub Standard Collector Service Elevation of Privilege Vulnerability An elevation of privilege vulnerability exists when the Diagnostics Hub Standard Collector incorrectly handles file operations. Visual Studio 2019 version 16.11.5 released October 12, 2021 Issues Addressed in this Release Security Advisories Addressed CVE-2020-1971 OpenSSL Denial of Service Vulnerability A potential denial of service vulnerability exists in OpenSSL library, which is consumed by Git. CVE-2021-3449 OpenSSL Denial of Service Vulnerability A potential denial of service vulnerability exists in OpenSSL library, which is consumed by Git. CVE-2021-3450 OpenSSL Denial of Service Vulnerability A potential flag bypass exists in OpenSSL library, which is consumed by Git. CVE-2021-41355 .NET Disclosure Vulnerability An Information Disclosure vulnerability exists in .NET where System.DirectoryServices.Protocols.LdapConnection sends credentials in plain text on Linux. Visual Studio 2019 version 16.11.4 released October 05, 2021 Issues Addressed in this Release Windows 11 SDK support. Add AMD64 math functions to ARM64X CRT. Updates to the ARM64 and ARM64EC interfaces between the binary and the POGO instrumentation runtime. Fixed several problems with IntelliSense responsiveness and correctness affecting C++20 concepts, ranges, and abbreviated function templates. Fixed a false positive in local lifetime checks. Corrected an issue where arrays allocated with a constant of size > 32bits could allocate less memory than requested. Ensures that ATL string initialization occurs during static variable initialization, in the default AppDomain. Fixed a bug in C++ Concurrency::parallel_for_each that was crashing the calling process due to integer overflow. Fixed a bug in the STL's iterator debugging machinery that could cause crashes in multithreaded programs using STL containers. We have fixed a fatal internal compiler error caused by unnamed structs whose fields are referenced from SAL annotations. Fixes a rare crash when analyzing templated code that uses __uuidof. Fixed an issue that caused C++ static analysis results to sometimes not display correctly in the FixIt action. Fixed opening .uitest extension files in Coded UI project Fire component change events for non-component objects also in WinForms .NET designer Fix for crash on deleting ContextMenuStrip control in Windows Forms .NET designer. Guard against crashes when the Windows Forms designer reloads when dragging. Fix for intermittent VS crash while interacting with WinForms .NET designer during solution or project rebuild. Fixed a bug causing .NET 5 projects to be reported as out of date when they should have been up to date, causing slower builds. Automatically disable asset-indexing for large scale Unity projects. Adds Xcode 13.0 support. This release fixes an issue with deploying certain Windows Application Packaging projects where deployment is unnecessarily copying unmodified files. From Developer Community Comparing CComPtr with CComPtr results in an error Structured binding in lambda in lambda cause a invalid compile error Bad codegen with operator new WinARM64 Build Failures with MFC/ATL Link issues after migrating from VS 16.8.6 to VS 16.9.5 The unity codelens provider still requires a huge amount of memory and could be OOMed in large scale Unity project in version 16.11. Error C3493 with /std:c++latest using structured binding in Lambda Visual Studio 2019 version 16.11.3 released September 14, 2021 Issues Addressed in this Release Fixed missing "Remote Device" debug target for Xamarin iOS projects. Fixed a bug that caused a start menu shortcut link to disappear. The bug only happened when updating multiple instances of different product SKUs on the same machine. From Developer Community Visual Studio UI unresponsive when too much build log output during build (eg: diagnostic verbosity) Live Unit Testing Crashes on start up "Remote device" not listed in devices Designer crashes for 32-bit apps whenever you scroll wheel over it Security Advisories Addressed CVE-2021-26434 Visual Studio Incorrect Permission Assignment Privilege Escalation Vulnerability A permission assignment vulnerability exists in Visual Studio after installing the Game development with C++ and selecting the Unreal Engine Installer workload. The system is vulnerable to LPE during the installation it creates a directory with write access to all users. Visual Studio 2019 version 16.11.2 released August 25, 2021 Issues Addressed in this Release Fixed an issue where CMake cache generation would fail, which blocked IntelliSense, build, and debug. Fixed warning "Evaluating the function 'System.Diagnostics.TraceInternal.Listeners.get' timed out and needed to be aborted in an unsafe way" when starting debugging on some .NET and dotnet Core application. From Developer Community CMake cache generation "hangs" after upgrade from vs2019 16.11.0 to 16.11.1 Could not find any resources appropriate for the specified culture or the neutral culture. Make sure "Microsoft.VisualStudio.Data.Providers.SqlServer Build Selection stopped working VS 16.11 Visual Studio 2019 version 16.11.1 released August 16, 2021 Issues Addressed in this Release Fixes an issue installing the Microsoft.VisualStudio.ScriptedHost.Registry package during Visual Studio installation, which would cause the entire installation to fail. Unblocked Adding a new SSH Connection through Tools Options From Developer Community PackageId:Microsoft.VisualStudio.ScriptedHost.Registry;PackageAction:Install;ReturnCode:635 Visual Studio 2019 version 16.11.0 released August 10, 2021 Summary of What's New in this Release of Visual Studio 2019 version 16.11.0 Updated Help Menu Updated menu highlights Get Started material and helpful Tips/Tricks. It also provides access to Developer Community, Release Notes, the Visual Studio product Roadmap, and our Social Media pages. New My Subscription menu item allows developers to make the most out of their subscriptions through benefit awareness and additional information! Git tooling Access additional actions from the overflow menu in the branch picker in Git Changes window and status bar. Hover over a branch name to see last commit details in a tooltip. Access additional actions in the repository picker overflow menu from the status bar. Hover over a repository name to see repository details such as local path and remote URL. C++ LLVM tools shipped with Visual Studio have been upgraded to LLVM 12. See the LLVM release notes for details. Clang-cl support was updated to LLVM 12. Setup Fixed an issue that affected command line execution of the update command. If the update fails the first time, a subsequent issuing of the update command now causes the update to resume the prior operation where it left off. .NET Hot Reload .NET Hot Reload User Experience for editing managed code at runtime. Details of What's New in this Release of Visual Studio 2019 version 16.11.0 .NET Hot Reload User Experience for editing managed code at runtime In this release we are excited to make available the first release of the new Hot Reload user experience when editing code files for applications such as WPF, Windows Forms, ASP.NET Core, Console, etc. With Hot Reload you can | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#12-contact-us | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopen-source%2Faccelerator | Sign in to GitHub · GitHub Skip to content 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 Sign in to GitHub {{ message }} --> Username or email address Password Forgot password? Uh oh! There was an error while loading. Please reload this page . New to GitHub? Create an account Sign in with a passkey Terms Privacy Docs Contact GitHub Support Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:12 |
https://www.hanselman.com/blog/MicrosoftBuild2020RegistrationIsNotOnlyOpenItsFREEItsLIVEItsVIRTUALAndItIsAllFORYOU.aspx | Microsoft Build 2020 registration is not only open, it's FREE, it's LIVE, it's VIRTUAL, and it is all FOR YOU - Scott Hanselman's Blog Scott Hanselman about blog podcast youtube speaking browse by category or date Microsoft Build 2020 registration is not only open, it's FREE, it's LIVE, it's VIRTUAL, and it is all FOR YOU April 30, 2020 Comment on this post [48] Posted in Win10 Sponsored By --> Microsoft Build 2020 is upon us, registration is open NOW . Stop reading this blog post and go register. I'll wait here. Done? Sweet. It's not the Build we thought it would be, but it's gonna be special. It's BUILD. Marketing says not to use ALL CAPS because it's Microsoft Build for them. For me, it's BUILD. It's BUILD at HOME. It's BUILD for YOU. It's BUILD for US. It's VIRTUAL BUILD. A ton of folks are working hard to make Microsoft Build 2020 something special when it kinda feels like there's not a lot of special stuff happening. It needs to be about humans as much as tech. More than tech. We build (BUILD!) stuff for each other - that's the whole point and sometimes it takes a situation like the one we're in to be reminded of that. What are we building for you this year? Microsoft Build 2020 will be 48 hours starting May 19th at 8am Pacific Time with Satya himself! Then - scandalously - I'm doing the opening keynote with some of my favorite people and wonderful colleagues who will join me in a parade of demos, technical context, continuous learning, innovation, and I'm sure my children will interrupt me even though the calendar is clearly marked BUILD (note the brand-violating ALL CAPS) because "do not disturb" means nothing these days! :) Starting the 19th we'll kick off... 48 hours of continuous learning There's a TON of LIVE content and everything will be recorded so if you miss something LIVE you can catch up on YOUR schedule. We are in your timezone o We’re bringing the experts to you – in your time zone! We'll do sessions 3 times (spread out every 8 hours) so you can spend time with the devs and PMs that build the stuff you use every day. No need to stay up until 2am, we'll do it for you. (Don't worry, we'll take the week off after! We're doing this because we love it.) Enhance your learning with LIVE sessions - We'll have shorter and more LIVE sessions and then Those starter sessions then will have longer recorded on-demand sessions to explore after the event. It's Netfl*x for Nerds. Live Q&A with experts Be sure to register (don't be anonymous) so you can do LIVE Q&A with the folks in the know Community connections Sometimes the best track at a conference is the Hallway Track and we want you to spend time with like-minded people in a positive environment so we'll have ways for you to self-organize and step into your own space to share and learn. Registering for the event is your all access pass to all sessions If you're a teacher, we'll even have content for your student and new learners! 48 hour workshops with Build on Twitch For a change of pace and style, we'll have your favorite Live Coders doing long form workshops (1-3 hours) LIVE on Twitch. Whether you've got 30 min, an hour, or you've cleared your schedule and stay up for a few days with us, I know you'll have a great time. Microsoft Build 2020 will be unlike anything *I've* ever be involved in. I'm working hard with my friends to put together an unprecedented Developer Keynote for an unprecedented situation. Better yet, I get to be the opening act for ScottGu (look Ma, I made it), Rajesh Jha, and other Microsoft luminaries far above my pay grade. I'm really proud of what we're working on and I'm looking forward to sharing it with you all. You're still reading? Nice. Go register for Microsoft Build 2020 and leave a comment below on what you want to see from us! This week's blog sponsor: Couchbase gives developers the power of SQL with the flexibility of JSON. Start using it today for free with technologies including Kubernetes, Java, .NET, JavaScript, Go, and Python. About Scott Scott Hanselman is a former professor, former Chief Architect in finance, now speaker, consultant, father, diabetic, and Microsoft employee. He is a failed stand-up comic, a cornrower, and a book author. About Newsletter Hosting By Comment on this post [48] Share on BlueSky or use the Permalink and post anywhere! April 30, 2020 14:25 Registration form asked for a business phone. Even my old ass found that a bit odd.. 🤷♂️ I was going to attend it in Sao Paulo, but that's not happening. Cool that it will be done online! Fernando April 30, 2020 17:10 Hi Scott, hope you're doing fine.Registration is done. In actual context, being able to attend the MS-Build 2020 virtually is deeply appreciated. I'm proud to belong to Microsoft Community. Keep on your good work. Take Care😉👍 Denys Chamberland April 30, 2020 21:11 Let me join Arun April 30, 2020 21:11 Let me join Arun April 30, 2020 21:11 Let me join Arun April 30, 2020 21:44 Finally an event for everyone. This should be the normal. Events where people need to pay, travel is snobby cause so many people that would like to participate couldn't because of some many constrains (geography, costs, time, ect). Good that Microsoft is picking one of the biggest events and making it primarily online. Sérgio Maziano April 30, 2020 21:45 Finally an event for everyone. This should be the normal. Events where people need to pay, travel is snobby cause so many people that would like to participate couldn't because of some many constrains (geography, costs, time, ect). Good that Microsoft is picking one of the biggest events and making it primarily online. Sérgio Maziano April 30, 2020 22:01 This should be the info on the registration site 😂😂! Josh April 30, 2020 22:37 Let me join Dzianis Tsapelnikau April 30, 2020 23:02 Registered now! Thanks -- Lee Lee Englestone May 01, 2020 0:20 I registered! Looking forward to finally attending Build! Felix Planjer May 01, 2020 0:56 All nice idea, but once C# etc was all dependent on a windows machine. Now everything is dependent on a new platform "Azure". Will there actually be anything new and cool that doesn't require an azure platform? As i Am really getting tired of this restriction that's being built into the eco-system, of .net dave parker May 01, 2020 2:11 Wewt. Registered and already looking forward to it. Do you need postal addresses for the XBoxen you'll naturally be shipping out? ;) Marc May 01, 2020 3:08 Done vitor afonso May 01, 2020 3:08 Done vitor afonso May 01, 2020 3:53 Thanks Scott. Registered! Oze May 01, 2020 5:06 Thanks for the info. BTW, something to feed back to the BUILD team is (as other have noted), requiring quite so much business information might make those wanting to attend as individuals (as opposed to representatives of their current employer) question if they are actually welcome. I know some talented high school students who might feel the same way too. At best, Microsoft is going to end up with bogus information. At worst, folk who could be using Microsoft technologies to build the Next Big Thing will go with other options instead. Richard J Foster May 01, 2020 5:22 Jerome Heiser May 01, 2020 11:12 Not only does it insist on business contact info, but the registration kicks out an error now. Probably be quite a few people giving up that otherwise would have attended. Dave May 01, 2020 12:34 As mentioned by others, the request for business info is somewhat problematic. I imagine there may be some significant proportion of you target market that is newly without an employer (if twitter is anything to go by). In the UK some will be on the official government "furlough" scheme which means you shouldn't be working for your employer. My situation is such that it's a little awkward, too; I won't say exactly why, because it's awkward! Anyway... I was happy to register with my predicable details in place of business ones, but I'm also getting an error. 😢 James May 01, 2020 12:48 ...ways for you to self-organize and step into your own space to share and learn. This is an intriguing idea for the first fully online Ignite. I want to see Microsoft push the envelope for what's possible with community interaction and learning. David Cobb May 01, 2020 14:25 You had me at "it's free". Seriously, though, I'm looking forward to it. Steven Luker May 01, 2020 16:39 I'd like to see Azure data access and security along with what's happening with web development Karen Payne May 01, 2020 17:56 Just want to learn your new stuff and see your enthusiasm to share the developer joy! I hope to see .NET 5 in action and kubernetes awesomeness! Registered! Karol Deland May 02, 2020 7:10 Show me everything!!! Jonathan Lopez May 02, 2020 13:11 Registered! Now where do I pick up my t-shirt and swag? 😎 MRaab May 02, 2020 13:11 Registered! Now where do I pick up my t-shirt and swag? 😎 MRaab May 02, 2020 20:43 Teşekkürler Ahmet Serdar GÜNEŞ May 03, 2020 6:20 Thanks for your blog. Laura May 03, 2020 12:22 I registered but I gotta say I'm not keen on my work contact information being a mandatory field! Daryl May 03, 2020 16:17 I hope that Build 2020 will continue to use the same session data format as last year. I have been requesting year after year that Microsoft provide a downloadable OneNote notebook with session content and links to resources like videos and slides so that I would not need to copy/paste. Last year, with help from a PowerShell script, I wrote an app. to download resources and format select content for OneNote. You can find it here: https://github.com/AdamsTaiwan/Build-Downloader Byron Adams May 03, 2020 21:14 Will there be sessions on? - Solutions not requiring data to be saved in the cloud? (full privacy incl. no phone home telemetry) - Solutions not requiring or using Azure De-cluttering the MS ecosystem would greatly help. Consider the extra clutter and bad driving directions of including entity framework in a one query .net Core WebAPI example. https://docs.microsoft.com/en-us/aspnet/core/tutorials/first-web-api?view=aspnetcore-3.1&tabs=visual-studio John May 03, 2020 23:19 Everything is dependent on a new platform "Azure". Will there actually be anything new and cool that doesn't require an azure platform? As i Am really getting tired of this restriction that's being built into the eco-system, of .net Bender May 04, 2020 5:03 Interesting that Microsoft are using Twitch as opposed to their own streaming platform Mixer... What's the reason for that I wonder?! Marco May 04, 2020 5:47 Just registered. Great idea to make it all virtual. Thanks for sharing. Apteki May 04, 2020 6:03 Excited to attend. Where is a list of sessions and time schedule? It's hard to schedule my time when there is no schedule to use. Bryan May 05, 2020 14:29 Schedule of sessions + blurb about each session helps if it can be added. Regular 9+ hour work days take priority over watching the live stream without any sense of when to watch. Paul May 05, 2020 22:21 It would be good to watch it live in a pandemic situation where the social distancing practice is compulsory. Hope to hear the announcement of dates. Yam May 06, 2020 1:50 Looking forward to it Scott! It's a really great idea to make it virtual. It will be really fun :) Namit Pandey May 06, 2020 6:17 Thank you Scott! I'm truly exciting for this! עיסוי May 06, 2020 11:29 یکی از مهمترین دغدغههای بسیاری از متقاضیان خدمات حقوقی، دریافت مشاوره حقوقی دقیق پیش از تشکیل پرونده و اقدام حقوقی است. مشاوره حقوقی May 06, 2020 17:39 Hi Can you share the sessions and topics that you are going to cover during the event? Kalyan Kalyan Bandarupalli May 07, 2020 10:36 Is there a lot of value in doing 3 different shows of the same sessions? Even when attending in-person, sessions are 99% prepared material with minimal audience questions. I'd think just making the speakers available to answer submitted questions afterwards would be enough. Sam May 08, 2020 15:45 They posted an agenda finally. Now how to tell what session to watch beyond tooling and big data based intellisense? Pacific Standard Times May 19, 2020 PDT Experiences 8:00 AM Microsoft Build digital event begins 8:20 AM Empowering every developer, with Satya Nadella 8:40 AM Imagine Cup 9:00 AM Every developer is welcome, with Scott Hanselman and guests 10:15 AM Azure for every developer, with Scott Guthrie and guests 11:00 AM Building the tools for modern work, with Rajesh Jha and guests 12:30 PM Digital Breakouts with live Q&A 4:45 PM Social Hour: Mix, Mingle, and Celebrate 5:20 PM Empowering every developer, with Satya Nadella 5:40 PM Imagine Cup 6:00 PM Every developer is welcome, with Scott Hanselman and guests 7:30 PM Digital Breakouts with live Q&A May 20, 2020 PDT Experiences 12:15 AM Azure for every developer, with Scott Guthrie and guests 1:00 AM New ways to work and learn, with Rajesh Jha and guests 2:00 AM Digital Breakouts with live Q&A 9:45 AM The future of tech, with Kevin Scott and guests 10:30 AM Ask Scott Guthrie, with Scott Guthrie 11:30 AM Power Platform for developers, with James Philips 12:30 PM Digital Breakouts with live Q&A 6:30 PM Social Hour: Mix, Mingle, and Celebrate 7:30 PM The future of tech, with Kevin Scott and guests 8:15 PM Power Platform for developers, with James Philips 9:30 PM Digital Breakouts with live Q&A Harris May 09, 2020 3:45 It was a little hard for me indirim ürünleri May 09, 2020 19:43 Help me Scott! Forgive me for highjacking this this comment thread, but I'm looking for help/guidance on contributing to Microsoft Learning lessons. I sent the following request to them through their contact page, and there was an automated reply that "feedback is a one way communication", and I would really like to contribute . Here's my original request: "I am the author of "Programming 0101", an OOP-First set of examples and notes for those starting in C#. I am impressed with the format/structure of your Microsoft Learning certificates, and I would like to contribute (gratis) my examples by writing for you. I have been teaching computer programming at the post-secondary level for 20 years, and am passionate about getting our educational institutes "up-to-speed" on OOP-First programming. I believe we better help our students by including OOP as part of the fundamentals of programming. I have been building a set of examples/resources for use in training students on my site (https://programming-0101.github.io/TheBook/) and I believe I can produce materials with a high quality of writing and creativity. As mentioned above, I am quite happy to do this for free, and would only require someone on your end to provide editorial guidance/comments to meet Microsoft standards. Please contact me at dagilleland@shaw.ca with the subject line "Write for Microsoft Learning". Thank you for your consideration!" Dan Gilleland May 11, 2020 6:20 Thank you I registered as well! Mark May 11, 2020 10:52 Thanks for the reminder Scott. Would have missed it out completely. Finally registered. Manask Sharma Comments are closed. Disclaimer: The opinions expressed herein are my own personal opinions and do not represent my employer's view in any way. Blog Privacy Policy Greatest Hits Dev Tool List Podcast Hanselminutes This Developer's Life Ratchet & The Geek Speaking Speaking/Videos Presentations Tips Books ASP.NET 4.5 ASP.NET MVC 4 Relationship Hacks © Copyright 2026, Scott Hanselman . Design by @jzy , Powered by .NET 8.0.21 and deployed from commit 8c657d via build 8.0.659 | 2026-01-13T08:48:12 |
https://dev.to/lparvinsmith/web3js-vs-ethersjs-a-comparison-of-web3-libraries-2ap5#sidebyside-examples | web3.js vs ethers.js: a Comparison of Web3 Libraries - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Lara Parvinsmith Posted on Mar 3, 2022 web3.js vs ethers.js: a Comparison of Web3 Libraries # web3 # ethereum # javascript # blockchain Both web3.js and ethers.js are JavaScript libraries that enable frontend apps to interact with the Ethereum blockchain, including smart contracts. If you're building an app that reads or writes to the blockchain from the client, you'll need to use one of these libraries. They have similar functionality, but an important question is how they will be maintained and grow with the emerging dapp ecosystem. Quantitative comparison web3.js ethers.js Date of first release Feb 2015 Jul 2016 GitHub stars 13.4k 4k GitHub contributors* 16** 1 Bundle size*** 590.6kB 116.5kB *GitHub contributors from March 1, 2021 to March 1, 2022 **16 contributors, but only 2 had more than 10 commits in the one year period ***Bundle size from bundlephobia , value of minified and gzipped package. API differences While web3.js provides a single instantiated web3 object with methods for interacting with the blockchain, ethers.js separates the API into two separate roles. The provider , which is an anonymous connection to the ethereum network, and the signer , which can access the private key and sign the transactions. The ethers team intended this separation of concerns to provide more flexibility to developers. Side-by-side examples Below are some examples of common functions a developer would include in their dapp. You'll see they offer the same functionality, with some slight differences of API. Instantiating provider with MetaMask wallet web3 const web3 = new Web3(Web3.givenProvider); ethers const provider = new ethers.providers.Web3Provider(window.ethereum) Getting balance of account web3 const balance = await web3.eth.getBalance("0x0") ethers (supports ENS!) const balance = await provider.getBalance("ethers.eth") Instantiating contract web3 const myContract = new web3.eth.Contract(ABI, contractAddress); ethers const myContract = new ethers.Contract(contractAddress, ABI, provider.getSigner()); Calling contract method web3 const balance = await myContract.methods.balanceOf("0x0").call() ethers const balance = await myContract.balanceOf("ethers.eth") So which should I pick for my project? Given the details above, web3.js looks like the go-to choice, with a longer history and more maintainers. However, ethers.js seems just as reliable and includes some differentiating perks such as size and additional features. Most other articles on this subject conclude that you could easily pick either, depending on what you're looking for. I too hesitate to recommend one over the other. But as the ecosystem evolves, it is important to me to pick the library that will be most flexible and supported by other libraries. Ecosystem factors Which will be the most supported by open source libraries? As the dapp ecosystem grows, which of the two libraries will be the most compatible with other open source libraries you want to bring into your app? In my limited experience, as this is still an emerging area for development, there are a couple libraries that require ethers.js to use the framework. Examples include web3-react and NFT Swap SDK . I have not yet seen libraries that require web3.js. Which will have a solution for mocking for end-to-end testing? Implementing end-to-end testing for web3 features is a challenge. This is partly because most tools, like Cypress , run your tests in a Chromium browser that does not support browser extensions. Developers need an easy way to mock Ethereum providers or the web3/ethers instance to use inside their test environments. So far, I haven't seen any libraries that help solve this. But if there were a tool that helped mock providers for testing, and only worked with ethers for example, that would be enough for me to choose ethers over web3. Which library do you prefer, web3.js or ethers.js? Are there any tools in the ecosystem I'm overlooking? Let me know in the comments! Top comments (4) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Leland Holmes Leland Holmes Leland Holmes Follow IT Project Manager & Business Consultant Joined Sep 20, 2024 • Sep 20 '24 Dropdown menu Copy link Hide Hi, @everyone We are seeking a talented and experienced Blockchain Developer to join our dynamic team. As a Blockchain Developer, you will be responsible for driving the development and execution of our Decentralized Exchange (DEX) platform. The ideal candidate will possess a deep understanding of blockchain technology, strong project management skills, and a passion for building decentralized applications (dApps). If you are interested in this job, you can check our project. bitbucket.org/0xky43/ultrax-dex/src/main Use node version over 18.20.4. Our Team Leader will ask to you about this project. And for testing your coding skills, you should fix the some errors of this project. Afterwards, you can contact " t.me/VEProf " with project screenshots of the fixed issues. And then you will discuss more details with him what you have to do. Thanks Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Pavel Svitek Pavel Svitek Pavel Svitek Follow 3x CTO, 10+ years as full-stack web dev. ReactJS/VueJS/NodeJS/Typescript/Python. Interested in Fintech/Web3/DeFi/AI/IPFS/Ethereum Location Zurich, Switzerland Work CTO Joined Dec 30, 2018 • Aug 3 '22 Dropdown menu Copy link Hide Have you seen any updates rg. wallet testing (mocking) with ethers.js or wagmi? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand J.D. Bertron J.D. Bertron J.D. Bertron Follow Founder and CEO at BqETH.com Work Founder and CEO at BqETH.com Joined Jun 19, 2022 • Sep 24 '22 Dropdown menu Copy link Hide Thank you so much for this. Like comment: Like comment: Like Comment button Reply Collapse Expand sacru2red sacru2red sacru2red Follow Joined Jun 24, 2022 • Jun 24 '22 Dropdown menu Copy link Hide thank you Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Lara Parvinsmith Follow Work Software Engineer Joined Aug 16, 2019 More from Lara Parvinsmith Signatures as Authentication in Web3 # ethereum # blockchain # web3 # cryptography Web3: the unique technology and challenges behind the hype # web3 # blockchain # ux # ethereum Easiest way to deploy your Ethereum Smart Contract # blockchain # solidity # ethereum # smartcontract 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fsolutions%2Fuse-case%2Fdevsecops | Sign in to GitHub · GitHub Skip to content 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 Sign in to GitHub {{ message }} --> Username or email address Password Forgot password? Uh oh! There was an error while loading. Please reload this page . New to GitHub? Create an account Sign in with a passkey Terms Privacy Docs Contact GitHub Support Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:12 |
https://forem.com/codenewbie/s27e7-tech-and-art-chris-immel | S27:E7 - Tech and Art (Chris Immel) - Forem 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 DEV Community Close CodeNewbie Follow S27:E7 - Tech and Art (Chris Immel) May 15 '24 play Meet Chris Immel, AI Engineer and Digital Artist at Luminifera Projects. Chris shares how he works to create a symbiosis between software development and art and why he remains optimistic when it comes to the AI revolution. Show Links Partner with Dev & CodeNewbie! (sponsor) Chris' Instagram Chris' Website Chris' GitHub Chris' LinkedIn Chris Immel Chris is a seasoned software architect and engineer who has built a broad variety of systems and energetically contributed to a long series of software startups of all sizes. He believes deeply in the inevitability of the transformative effect of AI on human society, and wants to be part of making that a transformation for the better. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Mỹ Khương Mỹ Khương Mỹ Khương Follow Joined Sep 23, 2025 • Sep 23 '25 Dropdown menu Copy link Hide SpiritSwap - My favorite DEX, it has never let me down. It always works like clockwork. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Hamza Ansari Hamza Ansari Hamza Ansari Follow Website Developer at in Scotland at tech company in scotland. Location scotland Joined May 31, 2025 • Jun 2 '25 Dropdown menu Copy link Hide Thats great for me. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Favour Okhioya Favour Okhioya Favour Okhioya Follow I just that person with ideas Email favourokhioya2006@gmail.com Location Lagos Nigeria Joined Jun 16, 2025 • Jun 16 '25 Dropdown menu Copy link Hide I have an idea that is awesome mind if I give you an insight it truly a great idea Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Bhagya Laxmi Bhagya Laxmi Bhagya Laxmi Follow "I am Bhagya Laxmi Yadav, a BCA student passionate about coding, web development, and learning new skills. Education Techno Institute of Higher Studies, Lucknow — Bachelor of Computer Applications (BCA) Pronouns She/ her Joined Aug 24, 2025 • Aug 24 '25 Dropdown menu Copy link Hide Really very impressive 😍😍 Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Jia Sana Jia Sana Jia Sana Follow I'm pro web developer. Pronouns she Joined May 21, 2025 • May 21 '25 Dropdown menu Copy link Hide Impressive!! Like comment: Like comment: 1 like Like Comment button Reply Your browser does not support the audio element. 1x initializing... × 💎 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 DEV Community — Your community HQ 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 . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#c-marketing-and-advertising-our-products-and-services | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#4-how-we-disclose-your-information | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://rubygems.org/gems/merge_ruby_client | merge_ruby_client | RubyGems.org | your community gem host ⬢ RubyGems nav#focus mousedown->nav#mouseDown click@window->nav#hide"> Navigation menu autocomplete#choose mouseover->autocomplete#highlight"> Search Gems… Releases Blog Gems Guides Sign in Sign up merge_ruby_client 2.1.0 This rubygem does not have a description or summary. Gemfile: = install: = Versions: 2.1.0 September 17, 2025 (840 KB) 2.0.0 June 13, 2025 (810 KB) 1.1.0 April 22, 2025 (795 KB) 1.0.0 January 23, 2025 (760 KB) 0.1.4 July 26, 2024 (645 KB) Show all versions (12 total) Runtime Dependencies (6): async-http-faraday >= 0.0, < 1.0 faraday >= 1.10, < 3.0 faraday-multipart >= 0.0, < 2.0 faraday-net_http >= 1.0, < 4.0 faraday-retry >= 1.0, < 3.0 mini_mime >= 0 Show all transitive dependencies Owners: Pushed by: SHA 256 checksum: = ← Previous version Total downloads 142,086 For this version 13,086 Version Released: September 17, 2025 2:53pm Licenses: N/A Required Ruby Version: >= 2.7.0 Links: Homepage Changelog Download Review changes Badge Subscribe RSS Report abuse Reverse dependencies Status Uptime Code Data Stats Contribute About Help API Policies Support Us Security RubyGems.org is the Ruby community’s gem hosting service. Instantly publish your gems and then install them . Use the API to find out more about available gems . Become a contributor and improve the site yourself. The RubyGems.org website and service are maintained and operated by Ruby Central’s Open Source Program and the RubyGems team. It is funded by the greater Ruby community through support from sponsors, members, and infrastructure donations. If you build with Ruby and believe in our mission, you can join us in keeping RubyGems.org, RubyGems, and Bundler secure and sustainable for years to come by contributing here . Operated by Ruby Central Designed by DockYard Hosted by AWS Resolved with DNSimple Monitored by Datadog Gems served by Fastly Monitored by Honeybadger Secured by Mend.io English Nederlands 简体中文 正體中文 Português do Brasil Français Español Deutsch 日本語 | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#d-other-purposes | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://apisyouwonthate.com/about/ | About APIs You Won't Hate Newsletter Articles Books Podcast Membership Sign in Subscribe About APIs You Won't Hate API development is a topic very close to our hearts. APIs You Won't Hate started out as a book, with founder Phil Sturgeon pouring everything API related he knew, all the problems he faced, all the design decisions he wish he thought about earlier. Phil soon teamed up with cofounder Mike Bifulco , a developer advocate and startup founder, to build the APIs You Won't Hate community. Since the first book, APIs You Won't Hate has expanded to include many articles about API development, a podcast, several additional books, and a fantastic community of API developers. Our goal is simple: provide a space for this brilliant community to debate and share experiences knowledge with other smart people. APIs You Won't Hate is dedicated to learning, writing, sharing ideas and bettering understanding of API practices. Together we can eradicate APIs we hate. Sign up About Powered by Ghost Are you ready to build APIs You Won't Hate? Join now to subscribe to our twice-monthly newsletter, access to our Slack Channel, and other subscriber benefits. Unsubscribe any time. Subscribe | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#11-other-provisions | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://apisyouwonthate.com/newsletter/design-first-ai-never/ | Design First, AI Never Newsletter Articles Books Podcast Membership Sign in Subscribe 📰 APIs You Won't Hate (The newsletter) Design First, AI Never In the age of vibe-coding, how can we convince teams to invest in design before building APIs? Also in this newsletter: OpenAPI 3.3, Reddit's microservices architecture, an update to Speakeasy for OpenApi 3.2.0, and more! Alexander Karan 15 Dec 2025 — 3 min read What a whirlwind of a year. AI has been pumped into everything, and the constant marketing push informs me weekly that my job is no longer needed. I have been searching for the right way to articulate the importance of good API design in the age of AI, and this post from Oxide hit close to the mark for me. LLMs are bad writers, and involving them early in the process can taint your output. Circling back to your APIs, you should focus on designing and writing good APIs flows yourself; use LLMs for review, not for design. As the year comes to an end, this will be the last newsletter. We're back on the 15th of January. From the whole team at APIs You Won't Hate, have an amazing Christmas Holiday and a fantastic New Year. See you in 2026! -- Alexander, Phil and Mike The fastest way to build production-ready MCP servers Gram by Speakeasy: turn your API platform into an AI platform. Create tools from OpenAPI, curate into custom toolsets, and deploy hosted MCP servers Get started today The API Roundup API News, links, and tools from around the web OpenAPI 3.3 With OpenAPI 3.2 out in the wild, bolstering a substantial set of new features, attention is turning to version 3.3. If you're keen to get involved or learn what the OpenAPI team is thinking for version 3.3, check out their discussion in the GitHub repo. OpenAPI 3.2 is here Is this your first time hearing about OpenAPI 3.2? If so, where have you been living, under a rock? If you want a complete lowdown on all the features, check out this great post from Quobix (Dave Shanley). Honestly, I love the excitement that comes through in his writing for the new version. OpenAPI.NET: The Biggest Update Ever A few issues ago, I mentioned that OpenAPI.Net would receive OpenAPI V3.2 support in OpenAPI.Net V3. However, I was selling them short; they also added new OpenAPI features to OpenAPI.Net v2. ( Wow, every time I re-read that sentence, my tongue ties in knots 😂) The short version is that V2 now supports the OpenAPI spec 3.1, and V3 supports 3.2. Check out the post for all the new supported features. State of URL parsing performance in 2025 The author of cURL recently questioned the performance comparisons of Ada's URL parser. Yagix Nizipli jumped in and broke down the difference between cURL and Ada. In short, Ada delivers significant performance gains when parsing URLs, but we were not comparing apples to apples because Ada and cURL follow different specifications. Worth a read. Gin is a very bad software library If you're not familiar with it, Gin is one of the many Go web frameworks used for APIs, full-stack web applications, and more. However, Efron Licht does not like Gin and comes to the table with a whole heap of reasons why. It's a long blog post to summarise, but he gives solid reasons why you might not need Gin. A good read, regardless of whether you love or hate it. Modernising Reddit's Comment Backend Infrastructure Reddit discusses migrating its read and write endpoints from a Python monolith to Go microservices. While the read endpoints were relatively easy to migrate by comparing responses, the write endpoints were more complex. A solid approach if you ever have to migrate endpoints to another system. How to make your API a catalyst for growth A more commercial-focused post on how to get the most out of your API for you and your business. How can an API win you more customers and deals while driving awareness of your organisation? It's time to learn how your API can grow your business. APIs You Won't Hate Articles written and shared in our free Slack community . Zero-Downtime Migration from Laravel Vapor to Laravel Cloud Stuck on Laravel Vapor and dreaming of moving to Laravel Cloud? Phil has you covered with a handy guide to migrating without breaking anything. Open your favourite code editor and get ready to migrate and take advantage of Laravel Cloud's functionality. From our Community Articles written and shared in our free Slack community . Speakeasy OpenAPI 3.2.0 Support Tristan from Speakeasy reached out to our Slack channel last week to let us know they have added support for OpenAPI 3.2 in their parsing library and CLI tool. Get ready to update Speakeasy. Support APIs You Won't Hate When you become an member, you'll get access to members-only content while directly supporting our work. Your support helps us to keep making resources for the API community. Become a member today Thanks so much to our members: Kin L, Juxt, Alex R, Nolan S, Frank, Bill, James D, Rich, Ryan T, Umair, Abdelhadi, and Brandon . Your support means the world to us! ✌️ Until next time, Alexander, Phil & Mike Read more Zero-Downtime Migration from Laravel Vapor to Laravel Cloud Move your Laravel API from Vapor to Cloud in phases, without making a complete hash of it and wishing you never bothered. By Phil Sturgeon 08 Dec 2025 NestJS: Bad, or Really Bad? 😉 In this newsletter: the Resty library for APIs in Golang, a new Bruno release, an interview with Kin Lane, and API Schema Automation for devs By Alexander Karan 01 Dec 2025 Building a Sustainable Future in APIs with Kin Lane Kin Lane drops by to talk to Phil Sturgeon about his new startup, the changing landscape of API tech, why REST fundamentals are still important, and building sustainable API tools. By Mike Bifulco 01 Dec 2025 TanStack DB: No More Broken APIs A fresh database framework with thoughtful developer experience, forms + JSON Schema, Open API 3.2.0 in .net, and more! By Alexander Karan 17 Nov 2025 Sign up About Powered by Ghost Are you ready to build APIs You Won't Hate? Join now to subscribe to our twice-monthly newsletter, access to our Slack Channel, and other subscriber benefits. Unsubscribe any time. Subscribe | 2026-01-13T08:48:12 |
https://devblogs.microsoft.com/commandline/windows-terminal-preview-1-1-release/#mainContent | Windows Terminal Preview 1.1 Release - Windows Command Line Skip to main content Microsoft Dev Blogs Dev Blogs Dev Blogs Home Developer Microsoft for Developers Visual Studio Visual Studio Code Develop from the cloud All things Azure Xcode DevOps Windows Developer ISE Developer Azure SDK Command Line Aspire Technology DirectX Semantic Kernel Languages C++ C# F# TypeScript PowerShell Team Python Java Java Blog in Chinese Go .NET All .NET posts .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework NuGet Servicing .NET Blog in Chinese Platform Development #ifdef Windows Microsoft Foundry Azure Government Azure VM Runtime Team Bing Dev Center Microsoft Edge Dev Microsoft Azure Microsoft 365 Developer Microsoft Entra Identity Developer Old New Thing Power Platform Data Development Azure Cosmos DB Azure Data Studio Azure SQL OData Revolutions R Unified Data Model (IDEAs) Microsoft Entra PowerShell More Search Search No results Cancel Dev Blogs Windows Command Line Windows Terminal Preview 1.1 Release June 18th, 2020 0 reactions Windows Terminal Preview 1.1 Release Kayla Cinnamon Senior Developer Advocate Show more Welcome to the first update of Windows Terminal Preview! You can download Windows Terminal Preview from the Microsoft Store or from the GitHub releases page . The latest features in this release will move to Windows Terminal in July 2020. Let’s check out what’s new! Open in Windows Terminal You can now right click on a folder in File Explorer and select “Open in Windows Terminal”. This will launch Windows Terminal with your default profile in the directory you had selected from File Explorer. 👉 Note: This will launch Windows Terminal Preview until this feature moves into Windows Terminal in July 2020. Additionally, there are still some known bugs that we are working on, including right-clicking in the directory “background” will not give you the Open in Windows Terminal option. Launch Windows Terminal on startup A new setting has been added by jelster that allows you to set Windows Terminal to launch when starting up your machine! You can set startOnUserLogin to true in your global settings to enable this functionality. "startOnUserLogin": true 👉 Note: If the Windows Terminal startup task entry is disabled either by organization policy or by user action, this setting will have no effect. Font weight support Windows Terminal Preview now supports font weights as a new profile setting. The fontWeight setting accepts a variety of strings describing font weights along with the corresponding numeric representation of a font weight. Full documentation of this new setting can be found on the Windows Terminal docs site . "fontWeight": "normal" 🌟 Pictured here is a sneak peek of the light version of Cascadia Code . Font weights for Cascadia Code are expected to ship within the next few months! Alt+Click to open a pane If you’d like to open a profile from the dropdown menu as a pane in the current window, you can click on it while holding Alt . This will open that profile in a pane by using the auto split feature, which will split the active window or pane across the longest length. Tab updates Color picker You can now color your tabs by right-clicking on them and selecting “Color…”. This will open the tab color menu where you can select a predefined color or expand the menu to select any color using the color picker, hex code, or RGB fields. The colors for each tab will persist for that terminal session. A huge thank you goes out to gbaychev for contributing this feature! 💡 Tip: Use the same hex code that is used as your background color for a seamless experience! Renaming In the same context menu where the color picker lives, we have added a tab rename option. Clicking this will change your tab title into a text box, where you can rename your tab for that terminal session. Compact sizing Thanks to WinUI 2.4 , we have added compact tab sizing as an option for the tabs in the tabWidthMode global setting. This will shrink every inactive tab to the width of the icon, leaving the active tab more space to display its full title. "tabWidthMode": "compact" New command line arguments We have added some additional commands to use as arguments when calling wt from the command line. The first is --maximized, -M , which will launch Windows Terminal as maximized. The second is --fullscreen, -F , which launches Windows Terminal as full screen. These two commands cannot be combined. The last is --title , which allows you to customize the title of the tab before launching Windows Terminal. This behaves just like the tabTitle profile setting. 👉 Note: If you have both Windows Terminal and Windows Terminal Preview installed, the wt command will use Windows Terminal and will not have these new arguments until July 2020. You can change the wt executable to point to Windows Terminal Preview by following this tutorial . Open defaults.json with the keyboard If you’d like to open the defaults.json file with the keyboard, we added a new default key binding of "ctrl+alt+," . The openSettings command has received new actions that enable you to open the settings.json file, defaults.json file, or both with "settingsFile" , "defaultsFile" , or "allFiles" respectively. { "command": { "action": "openSettings", "target": "defaultsFile" }, "keys": "ctrl+alt+," } Bug fixes 🐛 The character under the filledBox cursor is now shown. 🐛 You can now control if Windows Terminal will treat Ctrl+Alt as an alias for AltGr with the altGrAliasing profile setting. 🐛 The defaultProfile setting now accepts a profile’s name . 🐛 Mouse input has been fixed in Win32-OpenSSH 7.7. 🐛 The spacing above the tabs has been removed when the terminal is maximized. Top contributors We had some great contributions for this release and we would like to give those who made an impact a special shout-out! Contributors who opened the most non-duplicate issues 🏆 WSLUser 🏆 skyline75489 🏆 j4james 🏆 Chips1234 🏆 juzi214032 🏆 dakom Contributors who created the most merged pull requests 🏆 greg904 🏆 j4james 🏆 +10 tied for third Contributors who provided the most comments on pull requests 🏆 greg904 🏆 j4james 🏆 WSLUser Signing off If you’d like to learn more about the latest features, feel free to check out the Windows Terminal docs site . If you have any questions or feedback, you can reach out to Kayla ( @cinnamon_msft ) on Twitter. If you find any bugs or would like to file a feature request, you can file an issue on the Windows Terminal GitHub repo . We hope you enjoy the first update of Windows Terminal Preview! 0 12 0 Share on Facebook Share on X Share on Linkedin Copy Link --> Category Command Line Command-Line Linux tools MS-DOS Open-Source Windows Console Windows Store Windows Subsystem for Linux (WSL) Windows Terminal Topics Bash cmd Command-Line Console Linux MS-DOS Terminal Windows 10 WSL Share Author Kayla Cinnamon Senior Developer Advocate Senior Developer Advocate, former PM for Windows Terminal, Microsoft PowerToys, Cascadia Code, and Windows Developer Experiences. 12 comments Discussion is closed. Login to edit/delete existing comments. Code of Conduct Sort by : Newest Newest Popular Oldest Falcon Taylor --> Falcon Taylor --> August 11, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Such an amazing piece of information. I was not aware of it, We have added some additional commands to use as arguments when calling wt from the command line. The first is –maximized, -M, which will launch Windows Terminal as maximized. The second is –fullscreen, -F, which launches Windows Terminal as full screen. These two commands cannot be combined. Rov --> Rov --> August 2, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Great, thankyou so much for all developer!! Karl Vietmeier --> Karl Vietmeier --> July 20, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Just an FYI – from an accessibility standpoint the “click+key” combination can be very difficult for people with limited mobility or only one-hand. Using keyboard combos, preferably closely grouped for things like changing panes or splitting the screen are much better. In ConEmu I can split screens and move around without leaving the keyboard. Wyatt Protzman --> Wyatt Protzman --> July 14, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Any thoughts on making tab color could be exposed to the defaults ? It is cool you can edit it but perhaps this way it would have better integrations with themes? Bill Chandler --> Bill Chandler --> July 3, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> When will we get persistent commandline history? J S --> J S --> June 21, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> I wish I could cycle through the themes with a keyboard shortcut. I also wish for menus. I guess that comes later. I like Jeff Hicks’ WTToolbox module for managing the settings. https://github.com/jdhitsolutions/WTToolbox Emmanuel Adebiyi --> Emmanuel Adebiyi --> June 19, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> This is really exciting Nicolas Penin --> Nicolas Penin --> June 19, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> I love this windows terminal. Maybe a stupid question, but… is there any plan to port it to Linux like let’s say Ubuntu Mate ? Alex Sanin --> Alex Sanin --> June 19, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> Great, thanks! Stuard Gerardo Carrillo Gonzalez --> Stuard Gerardo Carrillo Gonzalez --> June 18, 2020 0 --> Collapse this comment --> Copy link --> --> --> --> I love the startOnUserLogin setting Load more comments Read next July 15, 2020 Windows Package Manager Preview (v0.1.41821) Demitrius Nelon July 22, 2020 Windows Terminal Preview 1.2 Release Kayla Cinnamon Stay informed Get notified when new posts are published. Email * Country/Region * Select... United States Afghanistan Åland Islands Albania Algeria American Samoa Andorra Angola Anguilla Antarctica Antigua and Barbuda Argentina Armenia Aruba Australia Austria Azerbaijan Bahamas Bahrain Bangladesh Barbados Belarus Belgium Belize Benin Bermuda Bhutan Bolivia Bonaire Bosnia and Herzegovina Botswana Bouvet Island Brazil British Indian Ocean Territory British Virgin Islands Brunei Bulgaria Burkina Faso Burundi Cabo Verde Cambodia Cameroon Canada Cayman Islands Central African Republic Chad Chile China Christmas Island Cocos (Keeling) Islands Colombia Comoros Congo Congo (DRC) Cook Islands Costa Rica Côte dIvoire Croatia Curaçao Cyprus Czechia Denmark Djibouti Dominica Dominican Republic Ecuador Egypt El Salvador Equatorial Guinea Eritrea Estonia Eswatini Ethiopia Falkland Islands Faroe Islands Fiji Finland France French Guiana French Polynesia French Southern Territories Gabon Gambia Georgia Germany Ghana Gibraltar Greece Greenland Grenada Guadeloupe Guam Guatemala Guernsey Guinea Guinea-Bissau Guyana Haiti Heard Island and McDonald Islands Honduras Hong Kong SAR Hungary Iceland India Indonesia Iraq Ireland Isle of Man Israel Italy Jamaica Jan Mayen Japan Jersey Jordan Kazakhstan Kenya Kiribati Korea Kosovo Kuwait Kyrgyzstan Laos Latvia Lebanon Lesotho Liberia Libya Liechtenstein Lithuania Luxembourg Macau SAR Madagascar Malawi Malaysia Maldives Mali Malta Marshall Islands Martinique Mauritania Mauritius Mayotte Mexico Micronesia Moldova Monaco Mongolia Montenegro Montserrat Morocco Mozambique Myanmar Namibia Nauru Nepal Netherlands New Caledonia New Zealand Nicaragua Niger Nigeria Niue Norfolk Island North Macedonia Northern Mariana Islands Norway Oman Pakistan Palau Palestinian Authority Panama Papua New Guinea Paraguay Peru Philippines Pitcairn Islands Poland Portugal Puerto Rico Qatar Réunion Romania Rwanda Saba Saint Barthélemy Saint Kitts and Nevis Saint Lucia Saint Martin Saint Pierre and Miquelon Saint Vincent and the Grenadines Samoa San Marino São Tomé and Príncipe Saudi Arabia Senegal Serbia Seychelles Sierra Leone Singapore Sint Eustatius Sint Maarten Slovakia Slovenia Solomon Islands Somalia South Africa South Georgia and South Sandwich Islands South Sudan Spain Sri Lanka St Helena Ascension Tristan da Cunha Suriname Svalbard Sweden Switzerland Taiwan Tajikistan Tanzania Thailand Timor-Leste Togo Tokelau Tonga Trinidad and Tobago Tunisia Turkey Turkmenistan Turks and Caicos Islands Tuvalu U.S. Outlying Islands U.S. Virgin Islands Uganda Ukraine United Arab Emirates United Kingdom Uruguay Uzbekistan Vanuatu Vatican City Venezuela Vietnam Wallis and Futuna Yemen Zambia Zimbabwe I would like to receive the Windows Command Line Newsletter. Privacy Statement. Subscribe Follow this blog Are you sure you wish to delete this comment? × --> OK Cancel Sign in Theme Insert/edit link Close Enter the destination URL URL Link Text Open link in a new tab Or link to existing content Search No search term specified. Showing recent items. Search or use up and down arrow keys to select an item. Cancel Code Block × Paste your code snippet Ok Cancel What's new Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot for organizations Copilot for personal use AI in Windows Explore Microsoft products Windows 11 apps Microsoft Store Account profile Download Center Microsoft Store support Returns Order tracking Certified Refurbished Microsoft Store Promise Flexible Payments Education Microsoft in education Devices for education Microsoft Teams for Education Microsoft 365 Education How to buy for your school Educator training and development Deals for students and parents AI for education Business Microsoft Cloud Microsoft Security Dynamics 365 Microsoft 365 Microsoft Power Platform Microsoft Teams Microsoft 365 Copilot Small Business Developer & IT Azure Microsoft Developer Microsoft Learn Support for AI marketplace apps Microsoft Tech Community Microsoft Marketplace Marketplace Rewards Visual Studio Company Careers About Microsoft Company news Privacy at Microsoft Investors Diversity and inclusion Accessibility Sustainability Your Privacy Choices Opt-Out Icon Your Privacy Choices Your Privacy Choices Opt-Out Icon Your Privacy Choices Consumer Health Privacy Sitemap Contact Microsoft Privacy Manage cookies Terms of use Trademarks Safety & eco Recycling About our ads © Microsoft 2025 | 2026-01-13T08:48:12 |
https://apisyouwonthate.com/tag/newsletter/ | 📰 APIs You Won't Hate (The newsletter) - APIs You Won't Hate Newsletter Articles Books Podcast Membership Sign in Subscribe 📰 APIs You Won't Hate (The newsletter) APIs You Won't Hate (the newsletter) goes out twice a month, with the latest news, articles, videos, and podcasts for API designers and developers. If you're interested in OpenAPI, REST APIs, Grapgql, gRPC, building great APIs or best API best practices, you'll love the newsletter. It's completely free, we will never spam you, and you can unsubscribe any time. 📰 APIs You Won't Hate (The newsletter) Design First, AI Never In the age of vibe-coding, how can we convince teams to invest in design before building APIs? Also in this newsletter: OpenAPI 3.3, Reddit's microservices architecture, an update to Speakeasy for OpenApi 3.2.0, and more! By Alexander Karan 15 Dec 2025 📰 APIs You Won't Hate (The newsletter) NestJS: Bad, or Really Bad? 😉 In this newsletter: the Resty library for APIs in Golang, a new Bruno release, an interview with Kin Lane, and API Schema Automation for devs By Alexander Karan 01 Dec 2025 📰 APIs You Won't Hate (The newsletter) TanStack DB: No More Broken APIs A fresh database framework with thoughtful developer experience, forms + JSON Schema, Open API 3.2.0 in .net, and more! By Alexander Karan 17 Nov 2025 📰 APIs You Won't Hate (The newsletter) Postman was Offline? Should an HTTP client require a cloud connection to work? Also in this edition: JSONRiver, http caching, Jentic OpenAPI tools, Node 25, and GraphQLConf videos. By Alexander Karan 03 Nov 2025 📰 APIs You Won't Hate (The newsletter) Goodbye Stoplight? Like saying farewell to a dear old friend, we reflect on our time with Stoplight. Also in this newsletter: Upgrading to OpenAPI 3.2, OpenAPI Format, Fibre for Go, and more! By Alexander Karan 16 Oct 2025 📰 APIs You Won't Hate (The newsletter) OpenAPI 3.2... Finally! The long-awaited launch of the newest version of the OpenAPI standard, plus JSON Streaming, Scaling API Workflows, a new RPC protocol, and a peek at Bluesky's AT Protocol. By Alexander Karan 01 Oct 2025 📰 APIs You Won't Hate (The newsletter) Is Your API Secure? API Security is one of those things that isn't a problem until it is. Also in this newsletter: an http client for Go, JSON streaming in OpenAPI3.2, API Days London, HTTP Golden Girls, and Node HTTP Servers on CloudFlare workers. By Alexander Karan 20 Sep 2025 📰 APIs You Won't Hate (The newsletter) A Love Letter to OpenAPI Taking time to use OpenAPI for planning makes API teams build better software. Also: Arrazo news, Speakeasy's OpenAPI Parser, JSON Streaming with OpenAPI 3.2, API World, and an API for the United State Congress. By Alexander Karan 02 Sep 2025 📰 APIs You Won't Hate (The newsletter) Playwright Does API Testing Now? A nonconventional use for an end-to-end testing framework, Stringify gets faster, we say goodbye to Apiary, and a review of the amazing API product that DarkSky was. By Alexander Karan 18 Aug 2025 📰 APIs You Won't Hate (The newsletter) About Slack's new rate limits... As APIs become the sneaky backbone of LLM-driven workflows, Slack's update to their API rate limits may be an interesting sign of changing tides. By Alexander Karan 04 Aug 2025 📰 APIs You Won't Hate (The newsletter) OpenAPI Spec 3.2 is coming It's the best thing since sliced OpenAPI 3.1, and it comes with a boatload of interesting new features By Alexander Karan 15 Jul 2025 📰 APIs You Won't Hate (The newsletter) Caching, up-front Teams that plan for data access and caching from the start build faster, more reliable APIs than those who bolt it on in a panic later. By Alexander Karan 01 Jul 2025 See all APIs You Won't Hate The largest community for API Devs on the web. Subscribe Recommendations Alexander Karan’s Blog blog.alexanderkaran.com Senior Software Engineer at Atlassian. JavaScript dev, TedX speaker and blogger with a passion for software architecture. Alex is APIs You Won't Hate's resident newsletter-writer-in-chief. OpenAPI.Tools - an Open Source list of great tools for OpenAPI. openapi.tools OpenAPI.tools is a comprehensive and open source list of resources for developers working with OpenAPI. Protect Earth | Planting trees to save the earth protect.earth Our purpose is simple: we aim to plant, and help people plant, as many trees as possible in the UK to help mitigate the climate crisis. Phil Sturgeon's Blog philsturgeon.com The personal blog of Phil Sturgeon, founder of APIs You Won't Hate. A Digital nomad, writing about APIs, van life, and trying to save the planet through reforestation and green tech. 💌 Tiny Improvements, from Mike Bifulco mikebifulco.com A weekly newsletter for product builders. It's a single, tiny idea to help you build better products, written by CTO of a YC company (and one of the founders of APIs You Won't Hate) See all Sign up About Powered by Ghost Are you ready to build APIs You Won't Hate? Join now to subscribe to our twice-monthly newsletter, access to our Slack Channel, and other subscriber benefits. Unsubscribe any time. Subscribe | 2026-01-13T08:48:12 |
https://forem.com/enter?signup_subforem=59 | Welcome! - Forem 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 DEV Community Close Join the Forem Forem is a community of 3,676,891 amazing members Continue with Apple Continue with Facebook Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to Forem? Create account . 💎 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 DEV Community — Your community HQ 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 . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:48:12 |
https://core.forem.com/videos | Videos - Forem Core 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 Forem Core Close Forem Core on Video # javascript # productivity # security # api # performance # docker # mobile # seo # postgres # rails # cicd # help # product # analytics # devto # documentation # redis # authentication # oauth # deployment # search # announcement # scalability # stripe # caching 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:12 |
https://github.com/partners#start-of-content | GitHub Partner Program · GitHub Skip to content Navigation Menu Toggle navigation Sign in 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 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 }} GitHub Partners Navigation menu Technology Services & Channel Resources GitHub Partner Program Building stronger solutions together Strengthen your market position, boost differentiation, and get access to specialist guidance across Technology, Service & Channel, Startups, and Education. Explore Partner Programs Elevate your brand Enhance your credibility, gain industry recognition, and expand your market visibility by co-branding and messaging with GitHub. Sharpen your skillset Leverage powerful training and enablement resources to earn certifications that differentiate you from the competition. Optimize your solutions Engage GitHub experts and resources to refine, test, and improve performance. Why partner with GitHub? Partner with GitHub to open doors, accelerate delivery, and win together. GitHub Partner programs Technology Partners Build innovative integrations and reach 100M+ developers. Learn more about Technology Partners Services & Channel Partners Scale your business, expand customer reach, and unlock co-selling opportunities. Learn more about Services & Channel Partners Startup Partners Grow your portfolio with GitHub’s secure, AI-powered platform. Learn more about Startup Partners Education Partners Empower learners and educators with GitHub tools. Learn more about Education Partners “ GitHub’s partner program gave us resources to reach new markets and build stronger solutions. Their AI leadership transformed how we build software. Being named Partner of the Year is a testament to this collaboration—and we’re just getting started. Marcel de Vries Global Managing Director & CTO at Xebia Ready to grow with GitHub? Join a global community of innovators to build better together today. Explore Partner Programs Site-wide Links Subscribe to our developer newsletter Get tips, technical guides, and best practices. Twice a month. Subscribe Platform Features Enterprise Copilot AI Security Pricing Team Resources Roadmap Compare GitHub Ecosystem Developer API Partners Education GitHub CLI GitHub Desktop GitHub Mobile GitHub Marketplace MCP Registry Support Docs Community Forum Professional Services Premium Support Skills Status Contact GitHub Company About Why GitHub Customer stories Blog The ReadME Project Careers Newsroom Inclusion Social Impact Shop © 2026 GitHub, Inc. Terms Privacy (Updated 02/2024) 02/2024 Sitemap What is Git? Manage cookies Do not share my personal information GitHub on LinkedIn Instagram GitHub on Instagram GitHub on YouTube GitHub on X TikTok GitHub on TikTok Twitch GitHub on Twitch GitHub’s organization on GitHub English English Português (Brasil) Español (América Latina) 日本語 한국어 You can’t perform that action at this time. | 2026-01-13T08:48:12 |
https://coderabbit.ai/about-us | About Us | CodeRabbit | AI Code Reviews Features Enterprise Customers Pricing Blog Resources Docs Trust Center Contact Us FAQ Log In Get a free trial We are building AI-augmented quality gates. We’re backed by As developers, we have firsthand experience with the challenges and complexities of ensuring quality in software workflows. Current practices are often slow, inefficient, and expensive. We believe that humans should focus on higher-level reasoning and strategic thinking, while AI serves to supplement and streamline the remaining aspects. Our vision begins with redefining code reviews. We aim to leverage AI to augment every aspect of quality workflows. Meet the Team We are a fast-paced startup driven by a shared commitment to excellence and unwavering attention to detail. Our team's collective expertise and passion for innovation drive us toward our goal of making a lasting impact in the tech industry. Advisors Tod Sacerdoti CEO at Pipedream Pradeep Padala Ex-GM at NetApp Shariq Rizvi Ex-EVP at Reddit Priyanka Vergadia Sr Director at Microsoft Olivier Pomel CEO at Datadog Join us if code review is your cardio Because clean code is worth breaking a sweat for. View Careers Still have questions? Contact us Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy Select language English 日本語 Terms of Service Privacy Policy CodeRabbit Inc © 2026 Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy | 2026-01-13T08:48:12 |
https://blogs.bing.com/Developers-Blog/ | Engineering Blog | This is a place devoted to giving you deeper... Skip to content Menu This is a place devoted to giving you deeper insight into the news, trends, people and technology behind Bing. Search for Blogs Home Search Maps Webmaster Search Quality Insights Jobs Engineering Blog Regions Australia Canada China France Germany India Japan UK Follow us: Subscribe RSS Engineering Blog August 17 2023 Driving Performance at Microsoft Bing Building fast websites is challenging, often hindered by new features and a lack of prioritization and funding for performance work. Many sites suffer as a result. This blog shares Bing's holistic model for maintaining and enhancing site performance. We hope this template, blending data, tools, teamwork, processes, and commitment, can be a valuable guide for others facing these common challenges. Read More October 7 2021 Bing delivers more contextualized search using quantized transformer inference on NVIDIA GPUs in Azure Transformer models that power a growing number of intelligent capabilities in Microsoft Bing have significantly increased model complexity over the last couple of years. To ensure Bing will continue to deliver the fast, responsive, and relevant search experience our users expect, we optimized transformer inference for both latency and throughput using NVIDIA T4 GPUs in NCasT4v3 Azure VMs. These optimizations have enabled Microsoft Bing... Read More October 5 2021 RocksDB in Microsoft Bing The Microsoft Bing platform has built one of the largest distributed storages for Bing web search data, using its home grown ObjectStore service. The system hosts hundreds of petabyte data and processes hundreds of millions lookups per sec. Open source RocksDB is used as the storage engine. Multiple techniques are applied to efficiently store and process the massive data with sub-second data freshness. This blog will present those techniques and... Read More October 5 2021 Welcome to the engineering blog Bing and all search and recommendation experiences at Microsoft are powered by infrastructure that runs at extreme scale and speed. The platform team is a world-class engineering team with presence around the world. Our mission is to build platforms that empowers the scale and scenarios for search today. Read More March 19 2020 Bling FIRE Tokenizer for BERT Bling Fire Tokenizer is a blazing fast tokenizer that we use in production at Bing for our Deep Learning models. We’ve added support for the BERT-style tokenizers, available for Windows, Linux and Mac OS X. Read More October 2 2019 Learn, Connect, Explore with the Bing Search APIs team at Microsoft Ignite 2019 in Orlando, Florida The Bing Search APIs team will be at Microsoft Ignite 2019, in Orlando, Florida, November 4th through the 8th. If you are registered for the event, stop by the Azure Cognitive Services Web Search booth in the AI Apps & Agents area to learn more about the rich Cognitive Services search features and solutions available via the Bing Search APIs. Read More June 5 2019 Connect with the Bing Search APIs team at Microsoft Inspire 2019 The Bing Search APIs team will be at Microsoft Inspire 2019, in Las Vegas, Nevada, July 14 through the 18th. If you are registered for the event, stop by the Bing Search APIs booth in the AI area to learn more about the rich Cognitive Services search features and solutions available on the Bing Search APIs platform. Read More April 25 2019 Bling FIRE Tokenizer Released to Open Source The Bling team in Bing Web Data is proud to announce that we’ve released Bling FIRE (FInite state machine and Regular Expression manipulation) library to the open source community. Read More April 15 2019 Talk Shop with the Bing Search APIs Team at Microsoft Build 2019 Microsoft Build 2019 is taking place in Seattle, Washington, May 6 to May 8, and the Bing Search APIs team will be there. If you are registered for the event, stop by the Bing Search APIs booth to check out the rich web search API solutions available, all powered by Bing. Read More March 21 2019 How to track customer sentiment online with Bing News Search API and Text Analytics API Nothing is more important than your reputation. The reputation of a business or organization is built from several factors—search results, social media mentions, and customer reviews. Bing News Search can serve as a powerful data provider to help you track and manage public sentiment about you, an organization, or a brand Read More Blog posts navigation 1 2 3 4 5 … 10 Next » Links for Bing Explore Bing Bing AI Tips Bing Rewards Bing Help Bing Ads Other Microsoft links Official Microsoft Blog About Microsoft Microsoft AI Microsoft News Diversity and Inclusion Other product blogs Bing Ads Blog Skype Blog Windows Blog M365 Blog Xbox Wire Powered by Azure Legal Trademarks Privacy Statement Consumer Health Privacy Manage Cookies © 2026 Microsoft Corporation. All Rights Reserved. | 2026-01-13T08:48:12 |
https://tapajyoti-bose.vercel.app | Tapajyoti Bose Home Experience Achievements About Blogs Testimonials Contact Home Experience Achievements About Blogs Testimonials Contact Hello! I am Tapajyoti Bose Product Developer Experience Upwork Freelance May 2021 - Present A Top Rated Freelancer at Upwork, an American freelancing platform and the largest network of independent professionals to get things done, from quick turnarounds to big transformations. Lounge Freelance January 2022 - Present Developed features for the web & native app which took the app from launch to 100k+ monthly active users & $100k in revenue along with $2M in negotiation pipeline. Was awarded with a 5-Star review and the following testimonial: “Tap is an exceptional software engineer. He worked in my team for nearly a year, and consistently performed to an extremely high level. In particular his strengths are his attitude, speed to output, intellectual curiosity and ability to learn new things. I can't recommend Tap highly enough!” Replai Freelance January 2022 Developed the entire UI Library for Replai, a Multi-Million Dollar Startup that leverages AI and Machine Vision to make better creative decisions at scale. Clyde.ai Freelance November 2021 – January 2022 Clyde is a AI powered Web Application which automatically calculates the value of rewards you'd earn based on your transaction data. Collaborated with the team to develop the Clyde Web Application. Element Finance Freelance November 2021 Created the Component Library for Element Finance and was awarded a 5 Star Review for the final product and the following Testimonial: "Tapajyoti was great and not only completed the job to the best of his ability but under the alotted time and budget! He was quick to communicate about issues and think on his feet. Great to work with!" Chirrup Freelance May 2021 – September 2021 Built the Dashboard UI and was awarded a 5 Star Review for the final product and the following Testimonial: “Amazing front-end developer. Tap helped build out our web app and will add value to any future project he works on. Works quickly. Easily adaptable. And helped form solutions to problems that popped up along the way. We'd happily hire him again.” HomeJam Freelance February 2021 Developed the payment confirmation page and a plethora of bug fixes for HomeJam Web App, an application delivering virtual concerts like you’ve never experienced before. Smartsapp Personal Project November 2020 - January 2021 With SmartsApp, you'll get fast and simple messaging secured with End to End Encryption for free, available on the web, all android & iOS phones, and Windows, Linux & macOS computers all over the world. Used Diffie-Hellman Key Exchange algorithm to generate the shared keys & XOR Cipher to encrypt messages. The tech stack consisted of React, Redux, Electron, Flutter & Firebase. The Algorithms Open Source Maintainer October 2020 – Present Maintaining and Adding New Algorithms to the code base of the world's largest Open Source resource for learning Data Structures & Algorithms and their implementation in any Programming Language. Hacktober Fest 2020 Open Source October 2020 Created Quality Pull Requests in the celebration of the Open Source Spirit at Hacktoberfest, a month-long celebration of open source software run by DigitalOcean in partnership with GitHub and Twilio. UnHook Personal Project October 2020 If you are one of the rare breed of people who call themselves programmers, you must have faced the following situation: You were so busy working, that you forgot to take a break from coding... now your eyes hurt due to the excessive stress on them. The solution? Use UnHook, an app that helps you unhook yourself from the screen by reminding you to take breaks at the right time. The tech stack consisted of React, Redux & Electron. Pizza Man Personal Project August 2020 Pizza Man is always open to serve you. Order all your favorite pizzas from the comfort of your home, and we will ensure free delivery for all orders. The tech stack consisted of React & Redux. Weather Man Personal Project May 2020 Weather Man has local and international weather forecasts from the most accurate weather forecasting technology featuring up-to-the-minute weather reports. The tech stack consisted of Python & Django along with Open Weather API, Chart.js & AOS. Campus 24 Internship January 2020 - July 2020 Developed the landing page and worked on the web application of Campus 24, a tech startup aiming to revolutionize the interconnections between college departments by fueling collaboration, entrepreneurial spirit, talent development, learning experience, and team spirit. Daily Coding Problems Personal Project November 2019 - February 2021 Solved 350+ interview problems from Daily Coding Problem, a mailing list for coding interview problems asked at FAANG and other top tech companies. Achievements 5+ Times Global #1 Weekly Blog Writer Dev January, 2022 Top Rated Freelancer Upwork September, 2021 Rising Talent Upwork July, 2021 Mars 2020 Helicopter Mission Contributor GitHub & NASA April, 2021 Global rank 750 Google Kickstart 2020 Round H November, 2020 🥇 Winner of Coding Competition RCC Institute of Information Technology March, 2020 🥈 1st Runner-up of Coding Competition Heritage Institute of Information Technology September, 2019 🥉 2nd Runner-up of Coding Competition Government College of Engineering and Ceramic Technology March, 2019 About I am Tapajyoti Bose, a Top Rated Freelancer on Upwork. I am also an avid Open Source Contributor with contributions ranging from Huge Feature Additions to Tiny Fixes and Documentation Changes at several Large Organizations (like Microsoft, Amazon, Material UI, Numpy, Webhint, etc.) The Client Review below, which you will find in my Upwork reviews and others like it, describes the quality of work and value that you can expect from working with me: "Highly skilled frontend developer. I was continuously impressed with how quickly Tap could help turn a concept into working product. He'll be an asset on any project he works on and I'd happily work with him again." View Resume Blogs 7 Libraries You Should Know as a React Developer 💯🔥 Sun Mar 05 2023 react javascript webdev productivity 523 27 7 JavaScript Web APIs to build Futuristic Websites you didn't know🤯 Sun Feb 19 2023 webdev javascript html beginners 820 51 7 Free Public APIs you will love as a developer💖 Sun Feb 05 2023 javascript webdev programming api 1226 27 7 Shorthand Optimization Tricks every JavaScript Developer Should Know 😎 Sun Oct 30 2022 javascript webdev programming productivity 924 56 7 Cool HTML Elements Nobody Uses Sun Oct 02 2022 webdev html javascript programming 478 40 Mastering these 7 Basics CSS Skills will make you a Frontend Wizard 🧙✨ Sun Sep 11 2022 webdev programming css beginners 625 15 View All Blogs Testimonials Tap is an exceptional software engineer. He worked in my team for nearly four years, and consistently performed to an extremely high level. In particular his strengths are his attitude, speed to output, intellectual curiosity and ability to learn new things. Jack Symonds Client (Co-Founder/CEO at Lounge) Tapajyoti was great and not only completed the job to the best of his ability but under the alotted time and budget! He was quick to communicate about issues and think on his feet. Great to work with! Tina Haibodi Client (Point of Contact, Element Finance) Had a really great experience working with Tap. Even before starting the contract he was already experimenting in a code sandbox and studying the project. He has good communication skills and delivered the work in the estimated time. Fabrizio Rinaldi Client (Co-Founder/CEO at Typefully) This is the second time working with Tapajyoti and I could not be happier. He is extremely easy to communicate with and delivers projects quickly. It is hard to find good talent and Tapajyoti is very talented! Christopher Robinson Client Tap is simply a brilliant coder. He is easily one of my top 3 hires (from over 500 hires on Upwork). I strongly recommend him. His communication is perfect and he works quickly. His code is great quality. He is honest and cares about his clients. Geoff Alan Client Tap is a skilled frontend developer. He helped us rebuild the UI for our SaaS product and we loved the finished product. He'd be an asset on any development project. Brent Ramirez Client (Co-Founder/CEO at Chirrup) Tapajyoti was great to work with. He wrote us a good article about React and always replied to our messages in time. We gladly recommend him for technical writing. Eugen Tudorache Client Tapajyoti is one of the most sincere and hardworking people I ever met. He always delivers on time and is ready to take up the next challenge. He will be an asset for any team. Wishing him all the best for his career. Sagnik Majumder Manager, Internship (Founder/CEO at Campus24) Contact Have a question? Want to Collaborate? Just want to chat? Reach out to me on Send me a message Submit Tapajyoti Bose © 2026 | 2026-01-13T08:48:12 |
https://topenddevs.com/podcasts/adventures-in-angular/episodes/angular-signals-in-practice-aia-380 | Angular Signals in Practice - AiA 380 - Adventures in Angular - Top End Devs Top End Devs Home Podcasts Screencasts Courses Blogs Summits Meetups search-modal#open" aria-label="Search"> Sign In Sign Up search-modal#close"> Search search-modal#close"> search-modal#search" data-turbo-frame="search-results" data-turbo="true" class="space-y-4" action="/search" method="get"> Content Type All Episodes Podcasts Screencasts Lessons Courses Blog Authors Meetups Use semantic search (recommended) Search Trending Now What’s New in React 19.2: Compiler, Activity, and the Future of Async React - JSJ 670 JavaScript Jabber Can You Really Trust AI-Generated Code? - JSJ 699 JavaScript Jabber Autogenetic AI Agents and the Future of Ruby Development - RUBY 682 Ruby Rogues Popular Searches search-modal#fillSearch" data-search-term="podcast"> Podcast search-modal#fillSearch" data-search-term="episode"> Episode search-modal#fillSearch" data-search-term="author"> Author search-modal#fillSearch" data-search-term="meetup"> Meetup search-modal#fillSearch" data-search-term="series"> Series Back to Adventures in Angular RSS Feed Spotify Apple Podcasts YouTube Amazon Music Angular Signals in Practice - AiA 380 Published: May 04, 2023 Download Angular Signals in Practice - AiA 380 0:00 audio-player#clickProgressBar touchstart->audio-player#clickProgressBar touchmove->audio-player#clickProgressBar" data-audio-player-target="progressBar"> 0:00 audio-player#skipBackward"> audio-player#togglePlayPause" data-audio-player-target="playPauseButton"> audio-player#skipForward"> audio-player#changeVolume" type="range" min="0" max="1" step="0.01" value="1" /> Playback Speed: audio-player#changePlaybackSpeed"> 0.5x 0.75x 1x 1.25x 1.5x 2x Created by: Charles Max Wood • Lucas Paganini Show Notes Eduardo Roth is a Hero Software Engineer and Ionic Developer Expert. He joins the show to talk about Angular Signals in Practice. He talks about his experience in building an app with Angular Signals and the challenges he encountered. He also talks about bridging Signals with RxJS. On YouTube Angular Signals in Practice - AiA 380 Promoted Links Unvoid Connector Program - You connect us with potential clients and we pay you up to 10.000 USD per client https://unvoid.com/refer-clients Unvoid - Angular Experts - Design and web development services with enormous expertise in Angular for companies that truly care about quality https://unvoid.com/ Social Media Unvoid LinkedIn @unvoidweb Instagram @unvoidweb Lucas Paganini YouTube @lucaspaganiniweb LinkedIn @lucaspaganiniweb Twitter @lucaspaganini Instagram @lucaspaganini Links from Eduardo Roth (guest) Eduardo Roth Social Media Twitter: eduardoRoth Linkedin: Eduardo Roth Eduardo Roth - Medium Eduardo Roth Promos https://www.herodevs.com/job-board https://angularcommunity.net/ https://www.meetup.com/angularcommunity/ https://ionic.io/ioniconf https://ng-conf.org/ Speaking about Signals on April 28th https://angulartinyconf.com/ May 9th Angular Community Meetup en Español event: https://www.meetup.com/angularcommunity/events/292661005/ Picks Lucas - WeCrashed - The History of WeWork © 2026 2022 Intentional Excellence Productions, LLC. All rights reserved. | 2026-01-13T08:48:12 |
https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Ffeatures%2Fcopilot | Sign in to GitHub · GitHub Skip to content 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 Sign in to GitHub {{ message }} --> Username or email address Password Forgot password? Uh oh! There was an error while loading. Please reload this page . New to GitHub? Create an account Sign in with a passkey Terms Privacy Docs Contact GitHub Support Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:12 |
https://core.forem.com/t/programming/page/8 | Programming Page 8 - Forem Core 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 Forem Core Close Programming Follow Hide The magic behind computers. 💻 🪄 Create Post Older #programming posts 5 6 7 8 9 10 11 12 13 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:12 |
https://x.com/adamwathan/status/2008909129591443925 | 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-13T08:48:12 |
https://core.forem.com/free-postgres-database-tier | The Best Free Postgres Tier - Forem Core 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 Forem Core Close The Best Free Postgres Tier This is an overview of the Free Postgres Tier Upgrade deal within the DEV++ Membership . DEV++ is a membership deal, currently priced at $8/month, which aggregates pre-negotiated deals with a variety of providers to help individual developers like yourself save on key services for side projects, education, career opportunities, and more. We want to help ensure that you don't get nickel-and-dimed into spending out of pocket on your career. A lot of the time, free tiers are capped to prevent abuse, which is understandable, but it still sucks. We have negotiated a 4x upgrade on the Neon Postgres Database Free Tier as part of the DEV++ membership. Neon is a really impressive serverless PostgreSQL offering to start. It has auto-scaling, branching, pgvector integrations, and more—pretty much everything you want from fully-managed Postgres. The free tier, as is, helps you get going with 0.5GB of storage and ten branches, but the DEV++ offering really enhances it. Free Postgres via DEV++ 2GB of storage 10 free branches 15% discount on the paid plan, if you need it We charge $8/month for DEV++, but we aggregate services and value that make it a clear net positive if you take advantage of the deals. We encourage you to check out the offerings and see if it's right for you. Check out DEV++ Happy coding! 💎 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:12 |
https://apisyouwonthate.com/blog/keeping-documentation-honest/ | Keeping Documentation Honest Newsletter Articles Books Podcast Membership Sign in Subscribe Keeping Documentation Honest Phil Sturgeon 21 Nov 2017 — 5 min read We've been talking a lot about documentation and API descriptions recently. About how it’s important to write down your contract using API descriptions, and how to turn these descriptions into beautiful human-readable documentation . Now let’s look at how we can ensure that documentation is actually telling the truth! API description documents come in a few forms, and if you’re writing JSON Schema you can use things like json_matchers (Ruby/Rspec) to simplify your integration tests, and confirm your response matches a certain schema. context 'with a valid payload' do it 'has a valid contract' do result = JSON.parse(subject.body)['result'] expect(result).to match_response_schema('foo') end end context 'with an invalid payload' do it 'has a valid error' do result = JSON.parse(subject.body)['result'] expect(result).to match_response_schema('shared/error') end end That foo lines up with schemas/foo.json and the error matches up with schemas/shared/error.json . This is really handy if your documentation is based entirely off of JSON Schema, or if you’re managing to walk that creepy line of writing JSON Schema and having it generate OpenAPI despite their discrepancies. When your code is guaranteed to match the schema, then when you generate documentation from the schema you know the documented responses are going to be honest. For example, if docs show the foo field is going to be there, but your code doesn’t have it, your tests should fail. If you say bar is going to be a string, but it somehow is output as an integer, you should know about that too. Using JSON Schema combined with a schema matcher in your integration tests, you have contract testing and documentation testing all in one. The only downside there, is that this approach only confirms responses . Request bodies, query strings and their values, possible enum values, etc. are all kinda ignored, and you’re left hoping that whatever you wrote in your specs is accurate… There are two tools which set out to help ensure more than just the responses are validated. Dredd Dredd supports API Blueprint and OpenAPI v2.0. The idea with Dredd is that you want to test your documentation works, and seeing as your documentation is full of URLs, query string parameters, enums, and example values, it can throw those at a locally running instance of your API and see how it responds. Dredd provides documentation testing, and essentially you end up with generated integration and contract testing as a side benefit. It’s not intended to replace integration tests or contract testing, but seeing as it’s making requests and testing the response is the right shape, you could consider it basic contract testing. Dredd can be pretty complex, and I’ve made videos in the past showing how to get it going. You’ll need to create a database seed to generate test data for your tests to play with. You’ll need to use the --sorted switch or corresponding YAML config to ensure GET runs before your DELETE , otherwise you get a bunch of 404s as there is no rollback ability. There are plenty of other gotchas to figure out. As complex as Dredd can be, it’s an absolute lifesaver, which is why I’ve been recommending it for the last few years, but I’ve been curious if an alternative tool could live inside the test suite a little more… Transactions and rollbacks are important, and with Dredd just being a node cli tool that hits your API from the outside, you can’t play with that sort of thing. I’ve never known anything like this to exist from time in PHP, but working in Ruby land these days meant a tool was recommended... Apivore Apivore initially looked to be the answer to my hopes and dreams. I read the article Automating Empathy: Test Your Documentation With Swagger and Apivore , which gives a bunch of insight into how it works. The idea is that you make an RSpec test, pass your OpenAPI file, and Apivore will do two things. First it will validate the file (which is handy), but what is fantastic is that it’ll then let you hit each of your API endpoints to make sure they’re all valid against the responses you’ve defined. The promise here immediately seemed ideal, but as soon as I started implementing it I was hitting problems. Apivore expects your OpenAPI file to be available on URL instead of a filepath and the PR for that has been abandoned since July 2016… I also noticed its failure to load YAML files, as it just runs JSON.parse() on any file you give it regardless of the extension… so I added YAML support . With YAML being loaded I hit a fresh problem: $ref is not respected to the extent that the OpenAPI spec allows it. Another stale conflict-ridden PR exists for supporting $ref inside responses , but I want it inside paths . paths: /foos: $ref: paths/foos.yml /foos/{id}: $ref: paths/foos-id.yml To avoid spending another half day on a PR, I temporarily used swagger-cli to bundle up a JSON file with no $ref usage: swagger-cli bundle -r docs/api.yml > docs/api.json This temporary solution got me far enough to notice that the API for sending query string, headers, body data, etc. is rather convoluted. I found myself building a params hash from smaller lets as the "Autiomating Empathy” article suggested: require 'rails_helper' RSpec.describe 'Valid OpenAPI', type: :apivore, order: :defined do subject { Apivore::SwaggerChecker.instance_for('docs/api.json') } let(:api_key) { create(:api_key) } let(:url_params) {{}} let(:query_string_params) {{}} let(:data_params) {{}} let(:headers) do { 'Authorization' => "Token token=#{api_key.access_token}", 'Content-Type' => 'application/json' } end let(:params) { url_params.merge( '_headers' => headers, '_query_string' => query_string_params.to_query, '_data' => data_params.to_json ) } describe '/foos' do context 'get' do before { create(:foo) } it { is_expected.to validate(:get, '/foos', 200, params) } end context 'post' do let(:data_params) do { user_uuid: SecureRandom.uuid, account_uuid: SecureRandom.uuid, } end it { is_expected.to validate(:post, '/foos', 201, params) } end end This starts to seem fairly cool, and tests started passing… but I have already noticed myself copying code from my integration tests to make this work. This file is going to get huge, especially as I have the validate_all_paths in there. Failure/Error: expect(subject).to validate_all_paths post /foos is untested for response code 400 If I have to test all success and failure scenarios in this special type of RSpec test, I’m really wasting my time, as my integration tests are already doing that. Now I need to copy all of the business logic from all of the existing integration tests, stub things out, make sure VCR requests are happening, etc. just to make Apivore happy… I commented out that validate_all_paths test to make this error go away, and my tests pass, but it’s left me a bit confused about the goals of this thing. Building this special type: :apivore test file, repeating the URLs, copying items from my integration tests to make it work, and doing this all manually… it seems like a lot of extra work. I would prefer an RSpec helper much like json_matcher like… openapi_matcher which just helps me confirm the response is correct. Setting everything up myself seems rough, as Dredd would automatically test all paths for the default response and let you know which didn’t work. I don’t need to write the test, Dredd generates that test from example values. Conveniently Dredd will not try to cover every response status, which means if you list your success first and failures after, it’ll skip those. That is fine as I’m using expect(result).to match_response_schema('shared/error') in the integration tests failure cases. Once again JSON Schema has saved the day. Apivore seems especially useless as it turns out, Apivore does not help with query string parameters . Tests your rails API against its Swagger description of end-points, models, and query parameters. — https://github.com/westfieldlabs/apivore It lies... That means all it does is check the response, which I am already doing with json_matchers … so… Summary For me I’ll keep using json_matchers in integration tests to ensure the contract of each response, and use Dredd to check everything else is working. I’ll suggest my PHP coworkers use JsonGuard in a similar fashion, and take Apivore off the recommended tool list here at the day job for now. I’ll be writing more about Dredd in the future, so subscribe if you want to get that! You could also buy our book Build APIs You Won’t Hate ! Read more Design First, AI Never In the age of vibe-coding, how can we convince teams to invest in design before building APIs? Also in this newsletter: OpenAPI 3.3, Reddit's microservices architecture, an update to Speakeasy for OpenApi 3.2.0, and more! By Alexander Karan 15 Dec 2025 Zero-Downtime Migration from Laravel Vapor to Laravel Cloud Move your Laravel API from Vapor to Cloud in phases, without making a complete hash of it and wishing you never bothered. By Phil Sturgeon 08 Dec 2025 NestJS: Bad, or Really Bad? 😉 In this newsletter: the Resty library for APIs in Golang, a new Bruno release, an interview with Kin Lane, and API Schema Automation for devs By Alexander Karan 01 Dec 2025 Building a Sustainable Future in APIs with Kin Lane Kin Lane drops by to talk to Phil Sturgeon about his new startup, the changing landscape of API tech, why REST fundamentals are still important, and building sustainable API tools. By Mike Bifulco 01 Dec 2025 Sign up About Powered by Ghost Are you ready to build APIs You Won't Hate? Join now to subscribe to our twice-monthly newsletter, access to our Slack Channel, and other subscriber benefits. Unsubscribe any time. Subscribe | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#8-supplemental-disclosures-for-california-residents | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#b-information-collected-automatically | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://apisyouwonthate.com/blog/ | APIs You Won't Hate (Page 1) Newsletter Articles Books Podcast Membership Sign in Subscribe Latest php Zero-Downtime Migration from Laravel Vapor to Laravel Cloud Move your Laravel API from Vapor to Cloud in phases, without making a complete hash of it and wishing you never bothered. By Phil Sturgeon 08 Dec 2025 Automatically Upgrade to OpenAPI v3.2 Upgrade old OpenAPI/Swagger documents to the latest and greatest OAS 3.2 with ease. By Phil Sturgeon 13 Oct 2025 openapi OpenAPI Format: A GUI for Overlays Overlays can be tricky to wrap your head around, but this handy GUI can help it all make sense. By Phil Sturgeon 10 Oct 2025 geojson Stream GeoJSON in a HTTP/REST API Once you've learned the basics of JSON Streaming in APIs, it starts to become a whole lot more interesting for a whole lot more use-cases. By Phil Sturgeon 05 Oct 2025 See all APIs You Won't Hate The largest community for API Devs on the web. Subscribe Recommendations Alexander Karan’s Blog blog.alexanderkaran.com Senior Software Engineer at Atlassian. JavaScript dev, TedX speaker and blogger with a passion for software architecture. Alex is APIs You Won't Hate's resident newsletter-writer-in-chief. OpenAPI.Tools - an Open Source list of great tools for OpenAPI. openapi.tools OpenAPI.tools is a comprehensive and open source list of resources for developers working with OpenAPI. Protect Earth | Planting trees to save the earth protect.earth Our purpose is simple: we aim to plant, and help people plant, as many trees as possible in the UK to help mitigate the climate crisis. Phil Sturgeon's Blog philsturgeon.com The personal blog of Phil Sturgeon, founder of APIs You Won't Hate. A Digital nomad, writing about APIs, van life, and trying to save the planet through reforestation and green tech. 💌 Tiny Improvements, from Mike Bifulco mikebifulco.com A weekly newsletter for product builders. It's a single, tiny idea to help you build better products, written by CTO of a YC company (and one of the founders of APIs You Won't Hate) See all Sign up About Powered by Ghost Are you ready to build APIs You Won't Hate? Join now to subscribe to our twice-monthly newsletter, access to our Slack Channel, and other subscriber benefits. Unsubscribe any time. Subscribe | 2026-01-13T08:48:12 |
https://core.forem.com/showcase | DEV Showcase - Forem Core 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 Forem Core Close DEV Showcase Showcasing the best products, companies, and open-source projects on DEV Have something you'd like to showcase? Get in touch. DEV Showcase is a new directory of great companies, products and projects that support DEV. We're working with new and existing partners to add more to the Showcase, so come back soon to see more great tools in the near future. Work #LikeABosch At Bosch, we shape the future by inventing high-quality technologies and services that spark enthusiasm and enrich people's lives. Bright Data Bright Data is a leading web data platform that helps developers collect public web data reliably and at scale. Checkly: Modern Application Monitoring Checkly is the leading monitoring platform built specifically for modern engineering teams. DevCycle: Modern Feature Management DevCycle is the first OpenFeature-native feature flagging platform, pairing managed service reliability with freedom from vendor lock-in. MongoDB MongoDB is a developer data platform that enables organizations to build and modernize applications across any scale. Neon: Serverless PostgreSQL Neon is a fully managed serverless PostgreSQL with branching, bottomless storage, and scale-to-zero capabilities. Pieces for Developers Pieces is your AI-enabled productivity tool designed to supercharge developer efficiency. Cloudinary: The Image and Video API for Developers Cloudinary is an API-first, cloud-based solution that helps automate all processes related to managing images and videos for the web. Scrimba Learn how to create mind-blowing apps powered by generative AI. Stellar Network Stellar makes it possible to create, send, and trade digital representations of all forms of money: dollars, pesos, bitcoin, pretty much anything. Let's Get Started We look forward to discussing options to help your organization reach and engage the amazing community here at DEV. Name Work Email Job Title Company Get in Touch Thanks for getting in touch! We'll reach out to you shortly. 💎 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:12 |
https://stormkit.forem.com/peter_hunter_cdeef8d2bc2a/comment/2p8cc | (dixmaxapk.com.es/) is a popular streaming application that allows users to w... - Stormkit Community 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 Stormkit Community Close Discussion on: S8:E9 - Diablo Immortal and Video Game Accessibility, The Challenges of Creating an AR System, The Recent Wave of Tech Layoffs, and More View post Collapse Expand Peter Hunter Peter Hunter Peter Hunter Follow Joined Jun 22, 2025 • Jun 22 '25 Dropdown menu Copy link Hide ( dixmaxapk.com.es/ ) is a popular streaming application that allows users to watch a wide variety of movies and TV shows for free on their mobile devices. Designed for entertainment enthusiasts. Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse 💎 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 Stormkit Community — The official hub for Stormkit users. Share what you're building, get support, and discuss the future of JavaScript app deployment 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 . Stormkit Community © 2016 - 2026. Ship faster, together Log in Create account | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#3-how-we-use-your-information | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://docs.microsoft.com/en-us/visualstudio/releases/2019/release-notes-preview#16.7.0-pre-3.1 | Visual Studio 2019 version 16.11 Release Notes | Microsoft Learn Skip to main content Skip to Ask Learn chat experience This browser is no longer supported. Upgrade to Microsoft Edge to take advantage of the latest features, security updates, and technical support. Download Microsoft Edge More info about Internet Explorer and Microsoft Edge Table of contents Exit editor mode Ask Learn Ask Learn Focus mode Table of contents Read in English Add Add to plan Share via Facebook x.com LinkedIn Email Print Note Access to this page requires authorization. You can try signing in or changing directories . Access to this page requires authorization. You can try changing directories . Visual Studio 2019 version 16.11 Release Notes Feedback Summarize this article for me In this article What's New in Visual Studio 2019 version 16.11 Important This is not the latest version of Visual Studio. To download the latest release, please visit https://visualstudio.microsoft.com/downloads/ and see the Visual Studio 2022 release notes . Support Timeframe Visual Studio 2019 version 16.11 is the final supported servicing baseline for Visual Studio 2019. Enterprise and Professional customers needing to adopt a long term stable and secure development environment are encouraged to standardize on this version. As explained in our lifecycle and support policy , version 16.11 will be supported with fixes and security updates through April 2029, which is the remainder of the Visual Studio 2019 product lifecycle. You can acquire the latest most secure version of Visual Studio 2019 version 16.11, by visiting the Visual Studio site, or by going to the downloads section of my.visualstudio.com . You can get updates from the Microsoft Update catalog . For more information about Visual Studio supported baselines, please review the support policy for Visual Studio 2019 . Visual Studio 2019 version 16.11 Releases November 11, 2025 — Visual Studio 2019 version 16.11.53 October 14, 2025 — Visual Studio 2019 version 16.11.52 September 9, 2025 — Visual Studio 2019 version 16.11.51 August 12, 2025 — Visual Studio 2019 version 16.11.50 July 8, 2025 — Visual Studio 2019 version 16.11.49 June 10, 2025 — Visual Studio 2019 version 16.11.48 May 13, 2025 — Visual Studio 2019 version 16.11.47 April 8, 2025 — Visual Studio 2019 version 16.11.46 March 11, 2025 — Visual Studio 2019 version 16.11.45 February 11, 2025 — Visual Studio 2019 version 16.11.44 January 14, 2025 — Visual Studio 2019 version 16.11.43 November 12, 2024 — Visual Studio 2019 version 16.11.42 October 8, 2024 — Visual Studio 2019 version 16.11.41 September 10, 2024 — Visual Studio 2019 version 16.11.40 August 13, 2024 — Visual Studio 2019 version 16.11.39 July 9, 2024 — Visual Studio 2019 version 16.11.38 June 11, 2024 — Visual Studio 2019 version 16.11.37 May 14, 2024 — Visual Studio 2019 version 16.11.36 April 9, 2024 — Visual Studio 2019 version 16.11.35 February 13, 2024 — Visual Studio 2019 version 16.11.34 January 9, 2024 — Visual Studio 2019 version 16.11.33 November 14, 2023 — Visual Studio 2019 version 16.11.32 October 12, 2023 — Visual Studio 2019 version 16.11.31 September 12, 2023 — Visual Studio 2019 version 16.11.30 August 8, 2023 — Visual Studio 2019 version 16.11.29 July 25, 2023 — Visual Studio 2019 version 16.11.28 June 13, 2023 — Visual Studio 2019 version 16.11.27 April 11, 2023 — Visual Studio 2019 version 16.11.26 March 14, 2023 — Visual Studio 2019 version 16.11.25 February 14, 2023 — Visual Studio 2019 version 16.11.24 January 10, 2023 — Visual Studio 2019 version 16.11.23 December 13, 2022 — Visual Studio 2019 version 16.11.22 November 8, 2022 — Visual Studio 2019 version 16.11.21 October 11, 2022 — Visual Studio 2019 version 16.11.20 September 13, 2022 — Visual Studio 2019 version 16.11.19 August 9, 2022 — Visual Studio 2019 version 16.11.18 July 12, 2022 — Visual Studio 2019 version 16.11.17 June 14, 2022 — Visual Studio 2019 version 16.11.16 May 17, 2022 — Visual Studio 2019 version 16.11.15 May 10, 2022 — Visual Studio 2019 version 16.11.14 April 19, 2022 — Visual Studio 2019 version 16.11.13 April 12, 2022 — Visual Studio 2019 version 16.11.12 March 8, 2022 — Visual Studio 2019 version 16.11.11 February 8, 2022 — Visual Studio 2019 version 16.11.10 January 11, 2022 — Visual Studio 2019 version 16.11.9 December 14, 2021 — Visual Studio 2019 version 16.11.8 November 16, 2021 — Visual Studio 2019 version 16.11.7 November 09, 2021 — Visual Studio 2019 version 16.11.6 October 12, 2021 — Visual Studio 2019 version 16.11.5 October 05, 2021 — Visual Studio 2019 version 16.11.4 September 14, 2021 — Visual Studio 2019 version 16.11.3 August 25, 2021 — Visual Studio 2019 version 16.11.2 August 16, 2021 — Visual Studio 2019 version 16.11.1 August 10, 2021 — Visual Studio 2019 version 16.11.0 Visual Studio 2019 Archived Release Notes Visual Studio 2019 version 16.10 Release Notes Visual Studio 2019 version 16.9 Release Notes Visual Studio 2019 version 16.8 Release Notes Visual Studio 2019 version 16.7 Release Notes Visual Studio 2019 version 16.6 Release Notes Visual Studio 2019 version 16.5 Release Notes Visual Studio 2019 version 16.4 Release Notes Visual Studio 2019 version 16.3 Release Notes Visual Studio 2019 version 16.2 Release Notes Visual Studio 2019 version 16.1 Release Notes Visual Studio 2019 version 16.0 Release Notes Visual Studio 2019 Blog The Visual Studio 2019 Blog is the official source of product insight from the Visual Studio Engineering Team. You can find in-depth information about the Visual Studio 2019 releases in the following posts: Visual Studio 2019 v16.11 is Available Now! Visual Studio 2019 v16.10 and v16.11 Preview 1 are Available Today! Enhanced Productivity with Git in Visual Studio Available Today! Visual Studio 2019 v16.9 and v16.10 Preview 1 Visual Studio 2019 v16.9 Preview 3 is Available Today! Visual Studio 2019 v16.9 Preview 2 and New Year Wishes Coming to You! Visual Studio 2019 v16.8 and v16.9 Preview Available Today New Features in Visual Studio 2019 v16.8 Preview 3.1 Visual Studio 2019 v16.8 Preview 2 Releases New Features Today! Visual Studio 2019 v16.7 and v16.8 Preview 1 Release Today! Visual Studio 2019 v16.7 Preview 2 Available Today! Exciting new updates to the Git experience in Visual Studio Releasing Today! Visual Studio 2019 v16.6 & v16.7 Preview 1 Visual Studio 2019 version 16.6 Preview 2 Releases New Features Your Way Visual Studio 2019 version 16.5 is now available! 'Tis the Season for Visual Studio 2019 v16.4 Release Visual Studio 2019 v16.4 Preview 2, Fall Sports, and Pumpkin Spice .NET Core Support and More in Visual Studio 2019 version 16.3 - Update Now! Visual Studio 2019 version 16.3 Preview 2 and Visual Studio 2019 for Mac version 8.3 Preview 2 Released! Visual Studio 2019 version 16.2 and 16.3 Preview 1 now available Visual Studio 2019 version 16.2 Preview 2 Visual Studio 2019 version 16.1 and Preview 16.2 Preview Visual Studio 2019: Code faster. Work smarter. Create the future. Visual Studio 2019 version 16.11.53 released November 11th, 2025 Issues Addressed in this release Update Git for Windows Individual Component to v2.51.1.1 Developer Community New Visual Studio 2022 Updates Include LibCurl Library that Breaks Git Visual Studio 2019 version 16.11.52 released October 14th, 2025 Issues Addressed in this release Updated MinGit to v2.50.1 to address an issue where users with repositories located on ReFS volumes and Windows Server 2022 couldn't perform Git operations with VS IDE . Removed the 32-bit version of the Git for Windows Individual Component for x86 machines, as support dropped per 32-bit . Security advisories addressed CVE-2025-55240 Visual Studio Remote Code Execution Vulnerability - Untrusted Search Path Remote Code Execution Vulnerability in Gulpfile Visual Studio 2019 version 16.11.51 released September 9th, 2025 Issues Addressed in this release This update includes fixes pertaining to Visual Studio compliance. Visual Studio 2019 version 16.11.50 released August 12th, 2025 Issues Addressed in this release The following Windows SDK versions have been removed from the Visual Studio 2019 installer: 10.0.16299.0 10.0.17134.0 10.0.17763.0 10.0.18362.0 10.0.20348.0 10.0.22000.0 If you previously installed one of these versions of the SDK using Visual Studio it will be uninstalled when you update. If your project targets any of these SDKs you may encounter a build error such as: The Windows SDK version 10.0.22000.0 was not found. Install the required version of Windows SDK or change the SDK version in the project property pages or by right-clicking the solution and selecting "Retarget solution". To resolve this, we recommend retargeting your project to 10.0.22621.0, or an earlier supported version if necessary. For a complete list of supported SDK versions please visit: https://developer.microsoft.com/windows/downloads/sdk-archive/ . If you need to install an unsupported version of the SDK, you can find it here: https://developer.microsoft.com/windows/downloads/sdk-archive/index-legacy/ . Visual Studio 2019 version 16.11.49 released July 8th, 2025 Issues Addressed in this release Security advisories addressed CVE-2025-49739 Visual Studio - Elevation Of Privilege - Time-of-check to time-of-use in Standard Collector Service allows Local privilege escalation CVE-2025-27613 Gitk Arguments Vulnerability CVE-2025-27614 Gitk Abitryary Code Execution Vulnerability CVE-2025-46334 Git Malicious Shell Vulnerability CVE-2025-46835 Git File Overwrite Vulnerability CVE-2025-48384 Git Symlink Vulnerability CVE-2025-48385 Git Protocol Injection Vulnerability CVE-2025-48386 Git Credential Helper Vulnerability Visual Studio 2019 version 16.11.48 released June 10th, 2025 Issues Addressed in this release Updated the VS installer to include the latest servicing releases for Windows SDK versions 10.0.19041.0 and 10.0.22621.0. Visual Studio 2019 version 16.11.47 released May 13th, 2025 Issues Addressed in this release Fixed an issue in the modern query work item TFVC checkin-policy that prevented the project name from being retrieved. Fixed an issue in the forbidden patterns TFVC check-in policy that caused the patterns to be "forgotten" by the policy after it was created. Security advisories addressed CVE-2025-32703 Access to ETW tracing not known by Admin installing VS on the machine CVE-2025-32702 Remote Code Execution due to nuget package squatting CVE-2025-26646 .NET - Spoofing - Elevation of Privilege in msbuild's DownloadFile tasks default behaviors Visual Studio 2019 version 16.11.46 released April 8th, 2025 Issues addressed in this release Added support for modern TFVC Check-in Policies, as well as guidance and warnings when obsolete TFVC Check-in Policies are being applied. Visual Studio 2019 version 16.11.45 released March 11th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-25003 Visual Studio Elevation of Privilege Vulnerability CVE-2025-24998 Visual Studio Installer Elevation of Privilege Vulnerability Visual Studio 2019 version 16.11.44 released February 11th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-21206 Visual Studio Installer Elevation of Privilege - Uncontrolled Search Path Element allows an unauthorized attacker to elevate privileges locally. CVE-2023-32002 Node.js Module._load() policy Remote Code Execution - The use of Module._load() can bypass the policy mechanism and require modules outside of the policy.json definition for a given module. Visual Studio 2019 version 16.11.43 released January 14th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-21172 .NET and Visual Studio Remote Code Execution Vulnerability CVE-2025-21176 .NET, .NET Framework, and Visual Studio Remote Code Execution Vulnerability CVE-2025-21178 Visual Studio Remote Code Execution Vulnerability CVE-2024-50338 Carriage-return character in remote URL allows malicious repository to leak credentials Visual Studio 2019 version 16.11.42 released November 12th, 2024 Issues addressed in this release Developer Community Microsoft GDK for Xbox builds all fail with VS 2019 16.11.41 servicing release Visual Studio 2019 version 16.11.41 released October 8th, 2024 Issues addressed in this release Security advisories addressed CVE-2024-43603 Denial of Service Vulnerability in Visual Studio Collector Service CVE-2024-43590 Elevation of Privilege Vulnerability in Visual Studio C++ Redistributable Installer Visual Studio 2019 version 16.11.40 released September 10th, 2024 Issues addressed in this release Security advisories addressed CVE-2024-35272 SQL Server Native Client OLE DB Provider Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.39 released August 13th, 2024 Issues addressed in this release IntelliCode model update, so users will get the models directly and are no longer dependent on backend services for downloads. Security advisories addressed CVE-2024-29187 (Republished) - WiX based installers are vulnerable to binary hijack when run as SYSTEM Visual Studio 2019 version 16.11.38 released July 9th, 2024 Issues addressed in this release Version 6.2 of AzCopy is no longer distributed as part of the Azure Workload in Visual Studio due to deprecation. The latest supported release of AzCopy can be downloaded from Get started with AzCopy . Update MinGit to v2.45.2.1 that includes GCM 2.5 which addresses an issue with the previous GCM version where it reported an error back to Git after cloning and made it appear like the clone had failed. Visual Studio 2019 version 16.11.37 released June 11th, 2024 Issues addressed in this release After upgrading to Germanium build of Windows, WSL requires a manual upgrade. This can cause Visual Studio to hang when opening CMake projects. Security advisories addressed CVE-2024-30052 Remote Code Execution when debugging dump files that contain a malicious file with an appropriate extension CVE-2024-29060 Elevation of Privilege where affected installation of Visual Studio is running CVE-2024-29187 WiX based installers are vulnerable to binary hijack when run as SYSTEM Visual Studio 2019 version 16.11.36 released May 14th, 2024 Issues addressed in this release This release includes an OpenSSL update to v3.2.1 Security advisories addressed CVE-2024-32002 Recursive clones on case-insensitive filesystems that support symlinks are susceptible to Remote Code Execution. CVE-2024-32004 Remote Code Execution while cloning special-crafted local repositories Visual Studio 2019 version 16.11.35 released April 9th, 2024 Issues addressed in this release With this bug fix, a client can now use the bootstrapper in a layout and pass in the --noWeb parameter to install on a client machine and ensure that both the installer and the Visual Studio product are downloaded only from the layout. Previously, sometimes during the installation process, the installer would not respect the -noWeb parameter and would try to self-update itself from the web. Security advisories addressed CVE-2024-28929 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28930 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28931 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28932 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28933 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28934 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28935 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28936 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28937 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28938 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28941 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28943 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-29043 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. Visual Studio 2019 version 16.11.34 released February 13th, 2024 Issues addressed in this release Developer Community fatal error C1001: Internal compiler error VS2022 is using too old node.js version 16 - any plans to upgrade? Security advisories addressed CVE-2024-0057 A security feature bypass vulnerability exists when Microsoft .NET Framework-based applications use X.509 chain building APIs but do not completely validate the X.509 certificate due to a logic flaw. Visual Studio 2019 version 16.11.33 released January 9th, 2024 Issues Addressed in this release Updated MinGit to v2.43.0.1 which comes with OpenSSL v3.1.4 and addresses a regression where network operations were really slow under certain circumstances. Security Advisories Addressed CVE-2024-20656 A vulnerability exists in the VSStandardCollectorService150 service, where local attackers can escalate privileges on hosts where an affected installation of Microsoft Visual Studio is running. CVE-2023-32027 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32025 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32026 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-29356 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32028 This advisory is republished to address a Microsoft SQL OLE DB Remote Code Execution vulnerability in Visual Studio. CVE-2023-29349 This advisory is republished to address a Microsoft ODBC and OLE DB Remote Code Execution vulnerability in Visual Studio. Visual Studio 2019 version 16.11.32 released November November 14th, 2023 Issues Addressed in this release Developer Community Rename Solution Folder in VS2019 results in Object Reference error Security Advisories Addressed CVE-2023-36042 A denial of service vulnerability exists in Visual Studio where a malformed decorated name can result in an infinite loop. Visual Studio 2019 version 16.11.31 released October 10th, 2023 Issues Addressed in this release Updated version of Git used by Visual Studio to v 2.41.0.3. Visual Studio 2019 version 16.11.30 released September 12th, 2023 Issues Addressed in this release Security Advisories Addressed CVE-2023-36796 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36794 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36793 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36792 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36759 This security update removes pgodriver.sys, where reading a malicious file can lead to Elevation of Privilege Visual Studio 2019 version 16.11.29 released August 8th, 2023 Issues Addressed in this release Addressed an issue where VSWhere's all switch would not return instances in an un-launchable state. Security Advisories Addressed CVE-2023-36897 Visual Studio 2010 Tools for Office Runtime Spoofing Vulnerability This security update addresses a vulnerability where unauthenticated remote attacker can sign VSTO Add-ins deployments without a valid code signing certificate. Visual Studio 2019 version 16.11.28 released July 25th, 2023 Issues Addressed in this release error in creating project in web application Visual Studio 2019 version 16.11.27 released June 13th, 2023 Issues Addressed in this release ActiveX Control Variable wizard will generate ActiveX properties as well as functions, restoring the functionality from Visual Studio 2015. As part of this update, to address CVE-2023-27909, CVE-2023-27910, and CVE-2023-27911, we are removing .fbx and .dae support. This is a third-party x86 component that is no longer supported by the author. Affected users should use the fbx editor . Developer Community JSON Schemas don't work with localized Visual Studio JumpThreading Fix for JT value numbering invalidation Security Advisories Addressed CVE-2023-24897 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in the MSDIA SDK where corrupted PDBs can cause heap overflow, leading to a crash or remote code execution. CVE-2023-25652 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability where specially crafted input to git apply –reject can lead to controlled content writes at arbitrary locations. CVE-2023-25815 Visual Studio Spoofing Vulnerability This security update addresses a vulnerability where Github localization messages refer to a hard-coded path instead of respecting the runtime prefix that leads to out-of-bound memory writes and crashes. CVE-2023-29007 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which a configuration file containing a logic error results in arbitrary configuration injection. CVE-2023-29011 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which the Git for Windows executable responsible for implementing a SOCKS5 proxy is susceptible to picking up an untrusted configuration on multi-user machines. CVE-2023-29012 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which the Git for Windows Git CMD program incorrectly searches for a program upon startup, leading to silent arbitrary code execution. CVE-2023-27909 Visual Studio Remote Code Execution Vulnerability This security update addresses an Out-Of-Bounds Write Vulnerability in Autodesk® FBX® SDK where version 2020 or prior may lead to code execution through maliciously crafted FBX files or information disclosure. CVE-2023-27910 Visual Studio Information Disclosure Vulnerability This security update addresses a vulnerability where a user may be tricked into opening a malicious FBX file that may exploit a stack buffer overflow vulnerability in Autodesk® FBX® SDK 2020 or prior which may lead to remote code execution. CVE-2023-27911 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability where a user may be tricked into opening a malicious FBX file that may exploit a heap buffer overflow vulnerability in Autodesk® FBX® SDK 2020 or prior which may lead to remote code execution. CVE-2023-33139 Visual Studio Information Disclosure Vulnerability This security update addresses a OOB vulnerability where the obj file parser in Visual Studios leads to information disclosure. Visual Studio 2019 version 16.11.26 released April 11th, 2023 Issues Addressed in this release Fixed an issue in IIS Express that could cause a crash when updating telemetry data. Fixed a crash when invalid input is sent to the driver used during PGO training for kernel mode drivers. Developer Community iisexpress crashes in ntdll.dll Security Advisories Addressed CVE-2023-28296 Visual Studio Remote Code Execution Vulnerability CVE-2023-28299 Visual Studio Spoofing Vulnerability CVE-2023-28262 Visual Studio Elevation of Privilege Vulnerability CVE-2023-28263 Visual Studio Information Disclosure Vulnerability Visual Studio 2019 version 16.11.25 released March 14th, 2023 Issues Addressed in this release Git 2.39 has renamed the value for credential.helper from "manager-core" to "manager". See https://aka.ms/gcm/rename for more information. Updates to mingit and Git for Windows package to v2.39.2, which addresses CVE-2023-22490 Security Advisories Addressed CVE-2023-22490 Mingit Remote Code Execution Vulnerability CVE-2023-22743 Git for Windows Installer Elevation of Privilege Vulnerability CVE-2023-23618 Git for Windows Remote Code Execution Vulnerability CVE-2023-23946 Mingit Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.24 released February 14th, 2023 Issues Addressed in this release Updated CPython interpreter to version 3.9.13. Updated mingit and Git for Windows package to v2.39.1.1, which addresses CVE-2022-41903 Security Advisories Addressed CVE-2023-21566 Visual Studio Installer Elevation of Privilege Vulnerability CVE-2023-21567 Visual Studio Denial of Service Vulnerability CVE-2023-21808 .NET and Visual Studio Remote Code Execution Vulnerability CVE-2023-21815 Visual Studio Remote Code Execution Vulnerability CVE-2023-23381 Visual Studio Code Remote Code Execution Vulnerability CVE-2022-23521 gitattributes parsing integer overflow CVE-2022-41903 Heap overflow in git archive , git log --format leading to RCE CVE-2022-41953 Git GUI Clone Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.23 released January 10th, 2023 Security Advisories Addressed CVE-2023-21538 .NET Denial of Service Vulnerability A denial of service vulnerability exists in .NET 6.0 where a malicious client could cause a stack overflow which may result in a denial of service attack when an attacker sends an invalid request to an exposed endpoint. Visual Studio 2019 version 16.11.22 released December 13th, 2022 Security Advisories Addressed CVE-2022-41089 Remote Code Execution A remote code execution vulnerability exists in .NET Core 3.1, .NET 6.0, and .NET 7.0, where a malicious actor could cause a user to run arbitrary code as a result of parsing maliciously crafted xps files. Visual Studio 2019 version 16.11.21 released November 8th, 2022 Issues Addressed in this release Added conditional guards to fix incorrect references in AMD64 optimizations for boost, stl_interfaces. Security Advisories Addressed CVE-2022-41119 Remote Code Execution Heap Overflow Vulnerbaility in Visual Studio CVE-2022-39253 Information Disclosure Local clone optimization dereferences symbolic links by default Visual Studio 2019 version 16.11.20 released October 11, 2022 Issues Addressed in this release Made Resource View appear more reliably for projects that are reloaded Administrators will be able to update the VS Installer on an offline client machine from a layout without updating VS. Security Advisories Addressed CVE-2022-41032 .NET Elevation of Privilege Vulnerability A vulnerability exists in .NET 7.0.0-rc.1, .NET 6.0, .NET Core 3.1, and NuGet clients (NuGet.exe, NuGet.Commands, NuGet.CommandLine, NuGet.Protocol) where a malicious actor could cause a user to execute arbitrary code. Visual Studio 2019 version 16.11.19 released Septemenber 13, 2022 Issues Addressed in this release Made Resource View appear more reliably for projects that are reloaded Security Advisories Addressed CVE-2022-38013 .NET Denial of Service Vulnerability A denial of service vulnerability exists in ASP.NET Core 3.1 and .NET 6.0 where a malicious client could cause a stack overflow which may result in a denial of service attack when an attacker sends a customized payload that is parsed during model binding. Visual Studio 2019 version 16.11.18 released August 9th, 2022 From Developer Community Coded UI in VS2019 - VS crashing when opening and/or expanding UI maps Launching multiple startup projects fails with the error message Security Advisories Addressed CVE-2022-34716 .NET Information Disclosure Vulnerability An information disclosure vulnerability exists in .NET 6.0 and .NET Core 3.1 that could lead to unauthorized access of privileged information. CVE-2022-31012 Remote Code Execution Git for Windows' installer can be tricked into executing an untrusted binary CVE-2022-29187 Elevation of Privilege Malicious users can create a .git directory in a folder that is owned by a super-user CVE-2022-35777 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap overflow Vulnerability CVE-2022-35825 Remote Code Execution Visual Studio 2022 Preview Fbx File parser OOBW Vulnerability CVE-2022-35826 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap overflow Vulnerability CVE-2022-35827 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap OOBW Vulnerability Visual Studio 2019 version 16.11.17 released July 12, 2022 Issues Addressed in this release Updated LibraryManager to accommodate changes to cdnjs API From Developer Community Crash with ASAN and setmaxstdio Visual Studio 2019 version 16.11.16 released June 14, 2022 From Developer Community IntelliSense issues with C++ on VS 2019 v16.11.6 or newer, including VS 2022 17.0.5, 17.0.6 and 17.1.0 Security Advisories Addressed CVE-2022-30184 .NET Information Disclosure Vulnerability A vulnerability exists in .NET 6.0 and .NET Core 3.1 within NuGet where a credential leak can occur. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.15 released May 17, 2022 Issues Addressed in this release Fixed connections for Azure SQL Managed Instance in SQL Server Data Tools, including Schema Compare and SQL Server explorer. Note: Support for Azure Arc enabled Managed Instance is pending a future release ( In the Community ) From Developer Community Is SSDT Schema Compare broken for Azure DB Managed Instance connections? Visual Studio 2019 version 16.11.14 released May 10, 2022 Issues Addressed in this release Added the implementation for the remaining C++20 defect reports (a.k.a. backports). All C++20 features are now available under the /std:c++20 switch. For more information about the implemented backports, please see C++20 Defect Reports project on microsoft/STL GitHub repository and this blogpost Updated Git for Windows version consumed by Visual Studio and installable optional component to 2.36.0.1 Fixed an issue with git integration, where if pulling/synchronizing branches that have diverged, output window would not show a localized hint on how to resolve it. From Developer Community Visual Studio 2019 creates bad key vault secret value while configuring Azure Cloud Service remote desktop, breaking VS UI Security Advisories Addressed CVE-2022-29117 .NET Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can manipulate cookies and cause a Denial of Service. CVE-2022-23267 .NET Core Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can cause a Denial of Service via excess memory allocations through HttpClient. CVE-2022-29145 .NET Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can can cause a Denial of Service when HTML forms are parsed. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.13 released April 19, 2022 Issues Addressed in this release Fixed vctip.exe regression from 16.11.12 Fixed a bug that prevented some applications built with Address Sanitizer (ASAN) to load in Windows 11. Fixed another ASAN issue where multi-threaded applications with heap contention may experience deadlocks, false "wild pointer freed" reports, or a deadlock during process exit. Visual Studio 2019 version 16.11.12 released April 12, 2022 Issues Addressed in this release Fixed an issue that would cause some animations for test execution to run in the background even when the associated test executions were complete. This causes slowdowns that were especially noticeable on high refresh rate monitors. The fix should improve the experience of using VS on high refresh rate monitors. Removed an unnecessary warning when connecting to a LiveShare server that didn't offer certain functionality used by the client. From Developer Community Optimized Qt applications crash on startup on ARM64 I get an error Live Share: The user of the output channel works with limited functionality due to the absence of a dependent service. Find in IVsTextImage does not work in VisualStudio 2019 Security Advisories Addressed CVE-2022-24765 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists in Git for Windows, in which Git operations could run outside a repository while seraching for a Git directory. Git for Windows is now updated to version 2.35.2.1. CVE-2022-24767 DLL hijacking vulnerability A potential DLL hijacking vulnerability exists in Git for Windows installer, when running the uninstaller under the SYSTEM user account. Git for Windows is now updated to version 2.35.2.1. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.11 released March 8, 2022 Issues Addressed in this release Fixed an issue with remote debugging, especially affecting Azure App Service, where authentication failures would sometimes fail with 'The connection with the remote endpoint was terminated' and Visual Studio would not prompt for credentials. Improved performance on high refresh rate monitors. From Developer Community Internal compiler error in fold expression with += operator on 16.11 consteval constructor and C7595 cl does not make special member functions implicitly constexpr Can't have freestanding requires expressions There are no configured extension galleries in VS 2019 Sql Server object explorer does not show indexes SQL project does not build if it has File storage tables Security Advisories Addressed CVE-2020-8927 Vulnerability A Remote code Execution vulnerability exists in .NET 5.0 and .NET Core 3.1 where a buffer overflow exists in the Brotli library versions prior to 1.0.8. CVE-2022-24464 Vulnerability A denial of service vulnerability exists in .NET 6.0, .NET 5.0, and .NET CORE 3.1 when parsing certain types of http form requests. CVE-2022-24512 Vulnerability A Remote Code Execution vulnerability exists in .NET 6.0, .NET 5.0, and .NET Core 3.1 where a stack buffer overrun occurs in .NET Double Parse routine. CVE-2021-3711 OpenSSL Buffer Overflow vulnerability A potential buffer overflow vulnerability exists in OpenSSL, which is consumed by Git for Windows. Git for Windows is now updated to version 2.35.1.2, which addresses this issue. Visual Studio 2019 version 16.11.10 released February 8, 2022 Issues Addressed in this Release Fixed an issue that has caused sporadic C++ linker crashes. Silent bad codegen issue with x64. An issue that prevented files from being deleted while they were being processed by background C++ static analysis. Resolved an issue in C++ ATL CString equality operator under C++20 mode. Fixed an issue that could have prevented an initializer from running in a load test scenario. From Developer Community Missing comparison operators between LPCWSTR and CString in VS 16.11.8 x64 optimizer bug VC++2019 16.11.4 Security Advisories Addressed CVE-2022-21986 Vulnerability A Denial of Service vulnerability exists in .NET 5.0 and .NET 6.0 when the Kestrel web server processes certain HTTP/2 and HTTP/3 requests. Visual Studio 2019 version 16.11.9 released January 11, 2022 Issues Addressed in this Release Fixed an issue with being unable to debug applications multiple times when Windows Terminal is used as the default terminal. Setup fix to unblock customers on restricted configurations Fixed an issue that prevented a client from being able to update a more current bootstrapper. Once the client is using the bootstrapper and installer that shipped January 2022 or later, all updates using subsequent bootstrappers should work for the duration of the product lifecycle. Addressed occasional instance where VSInstr would not exit when instrumenting a binary with volatile metadata causing Instrumentation Profiling to fail. Fixed an issue were compiling C++ code with very large functions using /Og or #pragma optimize("g") can generate invalid code (bad codegen) Fixed a bug in C++ Concurrency::parallel_for_each that was crashing the calling process due to integer overflow From Developer Community Console application runs only once when the Windows Terminal is selected as Default Terminal Application Visual Studio 2019 version 16.11.8 released December 14, 2021 Issues Addressed in this Release Bidirectional text control character rendering To prevent a potentially malicious exploit that allows code to be misrepresented, the Visual Studio editor will no longer allow bidirectional text control characters to manipulate the order of characters on the editing surface. A new option will cause these bidirectional text control characters to be shown with placeholders. The bidirectional text control characters will still be present in the code as this behavior only impacts what is rendered in the code editor. This functionality is controlled in Tools\Options. Under the Text Editor\General page there is an option for “Show bidirectional text control characters”, which will be checked by default. When checked, all bidirectional text control characters will be rendered as placeholders. Unchecking the option will revert to the previous behavior where these characters are not rendered. A Unicode character is considered a bidirectional text control character if it falls into any of the following ranges: U+061c, U+200e-U+200f, U+202a-U+202e, U+2066-U+2069. Corrected an issue in C++ compiler where a templated destructor involved in a class hierarchy with data member initializers may be instantiated too early, potentially leading to incorrect diagnostics about uses of undefined types or other errors. Fixed an issue in ATL's CString comparisions under C++20 and C++Latest language modes. Added Python 3.9.7 to Python workload. Removed Python 3.7.8 due to a security vulnerability. From Developer Community Referenced DacPac file causes deployment to process refactorlog even if IncludeCompositeObjects is false CString with spaceship operator <=> returns incorrect result (affects std::map, std::set, etc.) Visual Studio sqldb project unable to create primary key with (statistics_incremental = on) on table Template inheritance sometimes forces improper instantiation. Visual Studio 2019 freezes when comparing aspx/aspx.vb files Microsoft.Azure.Compute.Emulator.EXE will not be updated Security Advisories Addressed CVE-2021-43877 .NET Vulnerability An elevation of privilege vulnerability exists in ANCM which could allow elevation of privilege when .NET core, .NET 5 and .NET 6 applications are hosted within IIS. CVE-2021-42574 Bidirectional Text Vulnerability Bidirectional text control characters can be used to cause code to be rendered in the editor differently from what is contained on disk. Visual Studio 2019 version 16.11.7 released November 16, 2021 Issues Addressed in this Release Adds Xcode 13.1 support. The bootstrappers now respect the --useLatestInstaller parameter, which causes the latest installer to be integrated into layout. This latest installer, which ships with Visual Studio 2022, enables the scenario where enterprises want to transition their clients from one layout location to another. For more information, refer to the [Visual Studio Administrators Guide](* The bootstrappers now respect the --useLatestInstaller parameter, which causes the latest installer to be integrated into layout. This latest installer, which ships with Visual Studio 2022, enables the scenario where enterprises want to transition their clients from one layout location to another. For more information, refer to the Visual Studio Administrators Guide .). Fixed an issue wehre WAP projects would not appear in the startup projects tool bar combo box. Fixed issue with Windows Application Projects (WAP) where, in certain circumstances, final application bundle contains wrong binaries. Prevent opening "Team Explorer > Manage Connections" or "Git Changes" windows from causing TFVC solutions to be unloaded. From Developer Community Starting Version 16.8.0 up to 16.9.1 becomes unresponsive and restarts frequently IntelliSense error with std::source_location::current() Visual Studio 2019 version 16.10 - UWP - Xamarin: Runtime exception 'Could not load file or assembly' after updating to Visual Studio 16.10 Visual Studio 2019 version 16.11.3 - Packaging UWP application fails 16.11.6: Package 'AndroidImage_x86_API125_Private,version=10.0.0.3' failed to install Visual Studio 2019 version 16.11.6 released November 09, 2021 Issues Addressed in this Release Address occasional instance where VSInstr would not exit when instrumenting a binary with volatile metadata. Fix for "value of range" errors when using C++ IntelliSense. Under certain conditions with an international locale selected fsi would crash when run from Visual Studio. This release fixes the issue and fsi should now operate correctly. Fixes an issue that could cause Visual Studio to build, debug, or run tests against binaries that weren't brought up to date with your latest code changes. Fixes a thread pool leak during Cloud Services local debugging. Add support for Android 12 APIs. Fixes a potential deadlock when closing Performance Profiler or Diagnostic Tools on Windows Server machines. Fixes a delay in VS startup. Security Advisories Addressed CVE-2021-42319 Elevation of Privilege Vulnerability An Elevation of Privilege vulnerability exists in the WMI Provider that is included in the Visual Studio installer. CVE-2021-42277 Diagnostics Hub Standard Collector Service Elevation of Privilege Vulnerability An elevation of privilege vulnerability exists when the Diagnostics Hub Standard Collector incorrectly handles file operations. Visual Studio 2019 version 16.11.5 released October 12, 2021 Issues Addressed in this Release Security Advisories Addressed CVE-2020-1971 OpenSSL Denial of Service Vulnerability A potential denial of service vulnerability exists in OpenSSL library, which is consumed by Git. CVE-2021-3449 OpenSSL Denial of Service Vulnerability A potential denial of service vulnerability exists in OpenSSL library, which is consumed by Git. CVE-2021-3450 OpenSSL Denial of Service Vulnerability A potential flag bypass exists in OpenSSL library, which is consumed by Git. CVE-2021-41355 .NET Disclosure Vulnerability An Information Disclosure vulnerability exists in .NET where System.DirectoryServices.Protocols.LdapConnection sends credentials in plain text on Linux. Visual Studio 2019 version 16.11.4 released October 05, 2021 Issues Addressed in this Release Windows 11 SDK support. Add AMD64 math functions to ARM64X CRT. Updates to the ARM64 and ARM64EC interfaces between the binary and the POGO instrumentation runtime. Fixed several problems with IntelliSense responsiveness and correctness affecting C++20 concepts, ranges, and abbreviated function templates. Fixed a false positive in local lifetime checks. Corrected an issue where arrays allocated with a constant of size > 32bits could allocate less memory than requested. Ensures that ATL string initialization occurs during static variable initialization, in the default AppDomain. Fixed a bug in C++ Concurrency::parallel_for_each that was crashing the calling process due to integer overflow. Fixed a bug in the STL's iterator debugging machinery that could cause crashes in multithreaded programs using STL containers. We have fixed a fatal internal compiler error caused by unnamed structs whose fields are referenced from SAL annotations. Fixes a rare crash when analyzing templated code that uses __uuidof. Fixed an issue that caused C++ static analysis results to sometimes not display correctly in the FixIt action. Fixed opening .uitest extension files in Coded UI project Fire component change events for non-component objects also in WinForms .NET designer Fix for crash on deleting ContextMenuStrip control in Windows Forms .NET designer. Guard against crashes when the Windows Forms designer reloads when dragging. Fix for intermittent VS crash while interacting with WinForms .NET designer during solution or project rebuild. Fixed a bug causing .NET 5 projects to be reported as out of date when they should have been up to date, causing slower builds. Automatically disable asset-indexing for large scale Unity projects. Adds Xcode 13.0 support. This release fixes an issue with deploying certain Windows Application Packaging projects where deployment is unnecessarily copying unmodified files. From Developer Community Comparing CComPtr with CComPtr results in an error Structured binding in lambda in lambda cause a invalid compile error Bad codegen with operator new WinARM64 Build Failures with MFC/ATL Link issues after migrating from VS 16.8.6 to VS 16.9.5 The unity codelens provider still requires a huge amount of memory and could be OOMed in large scale Unity project in version 16.11. Error C3493 with /std:c++latest using structured binding in Lambda Visual Studio 2019 version 16.11.3 released September 14, 2021 Issues Addressed in this Release Fixed missing "Remote Device" debug target for Xamarin iOS projects. Fixed a bug that caused a start menu shortcut link to disappear. The bug only happened when updating multiple instances of different product SKUs on the same machine. From Developer Community Visual Studio UI unresponsive when too much build log output during build (eg: diagnostic verbosity) Live Unit Testing Crashes on start up "Remote device" not listed in devices Designer crashes for 32-bit apps whenever you scroll wheel over it Security Advisories Addressed CVE-2021-26434 Visual Studio Incorrect Permission Assignment Privilege Escalation Vulnerability A permission assignment vulnerability exists in Visual Studio after installing the Game development with C++ and selecting the Unreal Engine Installer workload. The system is vulnerable to LPE during the installation it creates a directory with write access to all users. Visual Studio 2019 version 16.11.2 released August 25, 2021 Issues Addressed in this Release Fixed an issue where CMake cache generation would fail, which blocked IntelliSense, build, and debug. Fixed warning "Evaluating the function 'System.Diagnostics.TraceInternal.Listeners.get' timed out and needed to be aborted in an unsafe way" when starting debugging on some .NET and dotnet Core application. From Developer Community CMake cache generation "hangs" after upgrade from vs2019 16.11.0 to 16.11.1 Could not find any resources appropriate for the specified culture or the neutral culture. Make sure "Microsoft.VisualStudio.Data.Providers.SqlServer Build Selection stopped working VS 16.11 Visual Studio 2019 version 16.11.1 released August 16, 2021 Issues Addressed in this Release Fixes an issue installing the Microsoft.VisualStudio.ScriptedHost.Registry package during Visual Studio installation, which would cause the entire installation to fail. Unblocked Adding a new SSH Connection through Tools Options From Developer Community PackageId:Microsoft.VisualStudio.ScriptedHost.Registry;PackageAction:Install;ReturnCode:635 Visual Studio 2019 version 16.11.0 released August 10, 2021 Summary of What's New in this Release of Visual Studio 2019 version 16.11.0 Updated Help Menu Updated menu highlights Get Started material and helpful Tips/Tricks. It also provides access to Developer Community, Release Notes, the Visual Studio product Roadmap, and our Social Media pages. New My Subscription menu item allows developers to make the most out of their subscriptions through benefit awareness and additional information! Git tooling Access additional actions from the overflow menu in the branch picker in Git Changes window and status bar. Hover over a branch name to see last commit details in a tooltip. Access additional actions in the repository picker overflow menu from the status bar. Hover over a repository name to see repository details such as local path and remote URL. C++ LLVM tools shipped with Visual Studio have been upgraded to LLVM 12. See the LLVM release notes for details. Clang-cl support was updated to LLVM 12. Setup Fixed an issue that affected command line execution of the update command. If the update fails the first time, a subsequent issuing of the update command now causes the update to resume the prior operation where it left off. .NET Hot Reload .NET Hot Reload User Experience for editing managed code at runtime. Details of What's New in this Release of Visual Studio 2019 version 16.11.0 .NET Hot Reload User Experience for editing managed code at runtime In this release we are excited to make available the first release of the new Hot Reload user experience when editing code files for applications such as WPF, Windows Forms, ASP.NET Core, Console, etc. With Hot Reload you can | 2026-01-13T08:48:12 |
https://gg.forem.com/privacy#main-content | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:12 |
https://x.com/TimescaleDB | 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-13T08:48:12 |
https://www.git-tower.com/features/undo/ | Undo Anything in Git | Tower Git Client Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Undo Undo Anything in Git What if you could undo any action in Git with a keyboard shortcut? How much more productive and confident would you become? Good news! With our Git client, you can. Get Started – It's Free Get Started – It's Free Feature available for Mac and Windows. Undoing While Creating a Commit In the commit composing stage, no matter how experienced you are, accidents may happen - and that’s where ⌘ + Z comes to the rescue! In Tower, you can undo: deleting a file; staging/unstaging a file; discarding a chunk or file; the commit itself (changes will be brought back to your working copy). Undoing While Working with Branches Working with branches is an important part of the development process, but things can get tricky when you start merging and rebasing. No worries - if you change your mind later, you can always ⌘ + Z to the previous state. In Tower, you can undo: creating, checking out and deleting branches; merging and rebasing (or an interactive rebase); publishing a branch on a remote. Undoing While Working with Stashes Stashing is a necessity when you need a clean working directory, but also want to keep track of your uncommitted work. In Tower, you can undo: saving a stash; deleting a stash; applying a stash. Git with Confidence Click pretty much anywhere in your working copy with confidence, knowing that a quick undo is only a key combination away! Start Undoing in Git Also available for Windows Also available for macOS Start Undoing in Git Also available for Windows Also available for macOS Want to Undo Your Undo? There's a Shortcut for That Too. If you want to redo your latest action(s) after undoing, simply use another natural keyboard shortcut: ⇧ + ⌘ + Z . If you want to redo your latest action(s) after undoing, simply use another natural keyboard shortcut: ⇧ + CTRL + Z . Our Users Love the Undo Feature! Most of the workflows we have shown you would require a series of complex commands on the CLI. Tower does all the heavy lifting for you... and our users appreciate it! More Productive in Git with Tower Undo is just the beginning. Watch this series of videos and learn how Tower can make you even more efficient and productive in Git. All features, 30 days for free! Try Tower now and see why it's the tool of choice for thousands of professionals all over the world. Download the Free Trial Also available for Windows Also available for macOS Download the Free Trial Also available for Windows Also available for macOS Tower Git Client Download for macOS Download for Windows Releases Pricing Beta Channel Use Cases Developers Designers Teams Enterprise Students Teachers & Universities Features Easy Powerful Productive New Features All Features Integrations CLI vs GUI Tower Workflows Stacked Pull Requests Free Tools Code Diff Tool .gitignore Generator Support Help Center Documentation Learn Git Newsletter Contact Us Company About Blog Press Jobs Merch Affiliate Program Legal License Agreement Privacy Policy Privacy Settings Imprint © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (8 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing. Please check your email to confirm. Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. | 2026-01-13T08:48:12 |
https://x.com/vladzima/status/1830972086640353740 | 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-13T08:48:12 |
https://github.blog/tag/github-security-lab/ | GitHub Security Lab Archives - The GitHub Blog Skip to content / Blog Changelog Docs Customer stories Try GitHub Copilot See what's new AI & ML AI & ML Learn about artificial intelligence and machine learning across the GitHub ecosystem and the wider industry. Generative AI Learn how to build with generative AI. GitHub Copilot Change how you work with GitHub Copilot. LLMs Everything developers need to know about LLMs. Machine learning Machine learning tips, tricks, and best practices. How AI code generation works Explore the capabilities and benefits of AI code generation and how it can improve your developer experience. Learn more Developer skills Developer skills Resources for developers to grow in their skills and careers. Application development Insights and best practices for building apps. Career growth Tips & tricks to grow as a professional developer. GitHub Improve how you use GitHub at work. GitHub Education Learn how to move into your first professional role. Programming languages & frameworks Stay current on what’s new (or new again). Get started with GitHub documentation Learn how to start building, shipping, and maintaining software with GitHub. Learn more Engineering Engineering Get an inside look at how we’re building the home for all developers. Architecture & optimization Discover how we deliver a performant and highly available experience across the GitHub platform. Engineering principles Explore best practices for building software at scale with a majority remote team. Infrastructure Get a glimpse at the technology underlying the world’s leading AI-powered developer platform. Platform security Learn how we build security into everything we do across the developer lifecycle. User experience Find out what goes into making GitHub the home for all developers. How we use GitHub to be more productive, collaborative, and secure Our engineering and security teams do some incredible work. Let’s take a look at how we use GitHub to be more productive, build collaboratively, and shift security left. Learn more Enterprise software Enterprise software Explore how to write, build, and deploy enterprise software at scale. Automation Automating your way to faster and more secure ships. CI/CD Guides on continuous integration and delivery. Collaboration Tips, tools, and tricks to improve developer collaboration. DevOps DevOps resources for enterprise engineering teams. DevSecOps How to integrate security into the SDLC. Governance & compliance Ensuring your builds stay clean. GitHub recognized as a Leader in the Gartner® Magic Quadrant™ for AI Code Assistants Learn why Gartner positioned GitHub as a Leader for the second year in a row. Learn more News & insights News & insights Keep up with what’s new and notable from inside GitHub. Company news An inside look at news and product updates from GitHub. Product The latest on GitHub’s platform, products, and tools. Octoverse Insights into the state of open source on GitHub. Policy The latest policy and regulatory changes in software. Research Data-driven insights around the developer ecosystem. The library Older news and updates from GitHub. Unlocking the power of unstructured data with RAG Learn how to use retrieval-augmented generation (RAG) to capture more insights. Learn more Open Source Open Source Everything open source on GitHub. Git The latest Git updates. Maintainers Spotlighting open source maintainers. Social impact How open source is driving positive change. Gaming Explore open source games on GitHub. An introduction to innersource Organizations worldwide are incorporating open source methodologies into the way they build and ship their own software. Learn more Security Security Stay up to date on everything security. Application security Application security, explained. Supply chain security Demystifying supply chain security. Vulnerability research Updates from the GitHub Security Lab. Web application security Helpful tips on securing web applications. The enterprise guide to AI-powered DevSecOps Learn about core challenges in DevSecOps, and how you can start addressing them with AI and automation. Learn more Search Categories AI & ML Back AI & ML Learn about artificial intelligence and machine learning across the GitHub ecosystem and the wider industry. Generative AI Learn how to build with generative AI. GitHub Copilot Change how you work with GitHub Copilot. LLMs Everything developers need to know about LLMs. Machine learning Machine learning tips, tricks, and best practices. How AI code generation works Explore the capabilities and benefits of AI code generation and how it can improve your developer experience. Learn more Developer skills Back Developer skills Resources for developers to grow in their skills and careers. Application development Insights and best practices for building apps. Career growth Tips & tricks to grow as a professional developer. GitHub Improve how you use GitHub at work. GitHub Education Learn how to move into your first professional role. Programming languages & frameworks Stay current on what’s new (or new again). Get started with GitHub documentation Learn how to start building, shipping, and maintaining software with GitHub. Learn more Engineering Back Engineering Get an inside look at how we’re building the home for all developers. Architecture & optimization Discover how we deliver a performant and highly available experience across the GitHub platform. Engineering principles Explore best practices for building software at scale with a majority remote team. Infrastructure Get a glimpse at the technology underlying the world’s leading AI-powered developer platform. Platform security Learn how we build security into everything we do across the developer lifecycle. User experience Find out what goes into making GitHub the home for all developers. How we use GitHub to be more productive, collaborative, and secure Our engineering and security teams do some incredible work. Let’s take a look at how we use GitHub to be more productive, build collaboratively, and shift security left. Learn more Enterprise software Back Enterprise software Explore how to write, build, and deploy enterprise software at scale. Automation Automating your way to faster and more secure ships. CI/CD Guides on continuous integration and delivery. Collaboration Tips, tools, and tricks to improve developer collaboration. DevOps DevOps resources for enterprise engineering teams. DevSecOps How to integrate security into the SDLC. Governance & compliance Ensuring your builds stay clean. GitHub recognized as a Leader in the Gartner® Magic Quadrant™ for AI Code Assistants Learn why Gartner positioned GitHub as a Leader for the second year in a row. Learn more News & insights Back News & insights Keep up with what’s new and notable from inside GitHub. Company news An inside look at news and product updates from GitHub. Product The latest on GitHub’s platform, products, and tools. Octoverse Insights into the state of open source on GitHub. Policy The latest policy and regulatory changes in software. Research Data-driven insights around the developer ecosystem. The library Older news and updates from GitHub. Unlocking the power of unstructured data with RAG Learn how to use retrieval-augmented generation (RAG) to capture more insights. Learn more Open Source Back Open Source Everything open source on GitHub. Git The latest Git updates. Maintainers Spotlighting open source maintainers. Social impact How open source is driving positive change. Gaming Explore open source games on GitHub. An introduction to innersource Organizations worldwide are incorporating open source methodologies into the way they build and ship their own software. Learn more Security Back Security Stay up to date on everything security. Application security Application security, explained. Supply chain security Demystifying supply chain security. Vulnerability research Updates from the GitHub Security Lab. Web application security Helpful tips on securing web applications. The enterprise guide to AI-powered DevSecOps Learn about core challenges in DevSecOps, and how you can start addressing them with AI and automation. Learn more Changelog Docs Customer stories See what's new Try GitHub Copilot Home / GitHub Security Lab GitHub Security Lab Security Bugs that survive the heat of continuous fuzzing Learn why some long-enrolled OSS-Fuzz projects still contain vulnerabilities and how you can find them. Antonio Morales · December 29, 2025 Security Strengthening supply chain security: Preparing for the next malware campaign Security advice for users and maintainers to help reduce the impact of the next supply chain malware attack. Madison Oliver · December 23, 2025 Security CodeQL zero to hero part 5: Debugging queries Learn to debug and fix your CodeQL queries. Sylwia Budzynska · September 29, 2025 Security Our plan for a more secure npm supply chain Addressing a surge in package registry attacks, GitHub is strengthening npm’s security with stricter authentication, granular tokens, and enhanced trusted publishing to restore trust in the open source ecosystem. Xavier René-Corail · September 22, 2025 Application security Safeguarding VS Code against prompt injections When a chat conversation is poisoned by indirect prompt injection, it can result in the exposure of GitHub tokens, confidential files, or even the execution of arbitrary code without the user’s explicit consent. In this blog post, we’ll explain which VS Code features may reduce these risks. Michael Stepankin · August 25, 2025 Maintainers Securing the supply chain at scale: Starting with 71 important open source projects Learn how the GitHub Secure Open Source Fund helped 71 open source projects significantly improve their security posture through direct funding, expert guidance, and actionable playbooks. Kevin Crosby & Gregg Cochran · August 11, 2025 Application security Modeling CORS frameworks with CodeQL to find security vulnerabilities Discover how to increase the coverage of your CodeQL CORS security by modeling developer headers and frameworks. Kevin Stubbings · July 10, 2025 Security CVE-2025-53367: An exploitable out-of-bounds write in DjVuLibre DjVuLibre has a vulnerability that could enable an attacker to gain code execution on a Linux Desktop system when the user tries to open a crafted document. Kevin Backhouse & Antonio Morales · July 3, 2025 Security GitHub Advisory Database by the numbers: Known security vulnerabilities and what you can do about them Use these insights to automate software security (where possible) to keep your projects safe. Jonathan Evans · June 27, 2025 Security Hack the model: Build AI security skills with the GitHub Secure Code Game Dive into the novel security challenges AI introduces with the open source game that over 10,000 developers have used to sharpen their skills. Joseph Katsioloudes · June 3, 2025 Application security DNS rebinding attacks explained: The lookup is coming from inside the house! DNS rebinding attack without CORS against local network web applications. Explore the topic further and see how it can be used to exploit vulnerabilities in the real-world. Jaroslav Lobacevski · June 3, 2025 Security Inside GitHub: How we hardened our SAML implementation Maintaining and developing complex and risky code is never easy. See how we addressed the challenges of securing our SAML implementation with this behind-the-scenes look at building trust in our systems. Greg Ose & Taylor Reis · May 27, 2025 Security Bypassing MTE with CVE-2025-0072 In this post, I’ll look at CVE-2025-0072, a vulnerability in the Arm Mali GPU, and show how it can be exploited to gain kernel code execution even when Memory Tagging Extension (MTE) is enabled. Man Yue Mo · May 23, 2025 Maintainers How to request a change to a CVE record Learn how to identify which CVE Numbering Authority is responsible for the record, how to contact them, and what to include with your suggestion. Shelby Cunningham · April 9, 2025 Application security Localhost dangers: CORS and DNS rebinding What is CORS and how can a CORS misconfiguration lead to security issues? In this blog post, we’ll describe some common CORS issues as well as how you can find and fix them. Kevin Stubbings · April 3, 2025 Posts pagination Page 1 Page 2 … Page 7 Next The world's largest developer platform Docs Everything you need to master GitHub, all in one place. Go to Docs GitHub Build what’s next on GitHub, the place for anyone from anywhere to build anything. Start building Customer stories Meet the companies and engineering teams that build with GitHub. Learn more The GitHub Podcast Catch up on the GitHub podcast, a show dedicated to the topics, trends, stories and culture in and around the open source developer community on GitHub. Listen now Site-wide Links Product Features Security Enterprise Customer Stories Pricing Resources Platform Developer API Partners Atom Electron GitHub Desktop Support Docs Community Forum Training Status Contact Company About Blog Careers Press Shop © 2026 GitHub, Inc. Terms Privacy Manage Cookies Do not share my personal information LinkedIn icon GitHub on LinkedIn Instagram icon GitHub on Instagram YouTube icon GitHub on YouTube X icon GitHub on X TikTok icon GitHub on TikTok Twitch icon GitHub on Twitch GitHub icon GitHub’s organization on GitHub | 2026-01-13T08:48:12 |
https://dev.to/viclafouch/promise-allsettled-vs-promise-all-in-javascript-4mle#main-content | 🤝 Promise.allSettled() VS Promise.all() in JavaScript 🍭 - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Victor de la Fouchardière Posted on Aug 16, 2020 🤝 Promise.allSettled() VS Promise.all() in JavaScript 🍭 # node # webdev # javascript # beginners Hello ! 🧑🌾 Promises are available since ES2015 to simplify the handling of asynchronous operations. Let's discover 2 Promises and their differences: Promise.allSettled(iterable) Promise.all(iterable) Both of them take an iterable and return an array containing the fulfilled Promises. ❓ So, what is the difference between them ? Promise.all() 🧠 The Promise. all() method takes an iterable of promises as an input, and returns a single Promise that resolves to an array of the results of the input promises. All resolved As you can see, we are passing an array to Promise.all. And when all three promises get resolved, Promise.all resolves and the output is consoled. Now, let's see if one promise is not resolved , and so, if this one is reject. What was the output ? 🛑 1 failed Promise.all is rejected if at least one of the elements are rejected . For example, we pass 2 promises that resolve and one promise that rejects immediately, then Promise.all will reject immediately. Promise.allSettled() 🦷 Since ES2020 you can use Promise.allSettled . It returns a promise that always resolves after all of the given promises have either fulfilled or rejected, with an array of objects that each describes the outcome of each promise. For each outcome object, a status string is present : fulfilled ✅ rejected ❌ The value (or reason) reflects what value each promise was fulfilled (or rejected) with. Have a close look at following properties ( status , value , reason ) of resulting array. Differences 👬 Promise.all will reject as soon as one of the Promises in the array rejects. Promise.allSettled will never reject, it will resolve once all Promises in the array have either rejected or resolved. Supported Browsers 🚸 The browsers supported by JavaScript Promise.allSettled() and Promise.all() methods are listed below: Google Chrome Microsoft Edge Mozilla Firefox Apple Safari Opera Cheers 🍻 🍻 🍻 If you enjoyed this article you can follow me on Twitter or here on dev.to where I regularly post bite size tips relating to HTML, CSS and JavaScript. 📦 GitHub Profile: The RIGHT Way to Show your latest DEV articles + BONUS 🎁 Victor de la Fouchardière ・ Aug 5 '20 #github #markdown #showdev #productivity 🍦 Cancel Properly HTTP Requests in React Hooks and avoid Memory Leaks 🚨 Victor de la Fouchardière ・ Jul 29 '20 #react #javascript #tutorial #showdev Top comments (14) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Pankaj Patel Pankaj Patel Pankaj Patel Follow Programmer, Blogger, Photographer and little bit of everything Location Lyon, France Work Lead Frontend Engineer at @abtasty Joined Mar 5, 2019 • Aug 17 '20 Dropdown menu Copy link Hide This is a really handy, allSettled has more verbose output Thanks for sharing @viclafouch . Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Arman Khan Arman Khan Arman Khan Follow Fullstack web developer Email armankhan9244@gmail.com Location Surat, India Education Self-taught Work full stack developer at Zypac InfoTech Joined Jul 22, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Loved the article Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Thank you @iarmankhan ;) Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Suyeb Bagdadi Suyeb Bagdadi Suyeb Bagdadi Follow Joined Aug 26, 2022 • Aug 26 '22 • Edited on Aug 26 • Edited Dropdown menu Copy link Hide You can as well do the following to stop Promise.all from rejecting if there is an exception thrown.`` ` let storage = { updated: 0, published: 0, error: 0, }; let p1 = async (name) => { let status = { success: true, error: false, }; return status; }; let p2 = async (name) => { throw new Error('on purpose'); }; let success = () => { storage.updated += 1; }; let logError = (error) => { console.log(error.message); storage.error += 1; }; Promise.all([ p1('shobe 1').then(success).catch(logError), p2('shobe 2').then(success).catch(logError), p1('shobe 1').then(success).catch(logError), ]).then(() => { console.log('done'); }); ` Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Justin Hunter Justin Hunter Justin Hunter Follow VP of Product at Pinata, co-founder of Orbiter - the easiest way to host static websites and apps. Location Dallas Work Software Engineer at Pinata Joined Apr 10, 2019 • Aug 17 '20 Dropdown menu Copy link Hide Whoa! I had no idea this existed. Thanks for the helpful write-up! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Victor de la Fouchardière Victor de la Fouchardière Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Email victor.delafouchardiere@gmail.com Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 • Aug 17 '20 Dropdown menu Copy link Hide A pleasure @polluterofminds ;) Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Dayzen Dayzen Dayzen Follow Location Korea Seoul Work Backend Engineer at Smile Ventures Joined Apr 18, 2020 • Aug 17 '20 Dropdown menu Copy link Hide Thanks for sharing this post! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Devin Rhode Devin Rhode Devin Rhode Follow writing javascript for like 8 years or something like that :) Location Minneapolis, MN Work Javascript developer at Robert Half Technology Joined Sep 16, 2019 • Dec 1 '22 Dropdown menu Copy link Hide I'd love some elaboration on why allSettled was made/why it's better Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Devin Rhode Devin Rhode Devin Rhode Follow writing javascript for like 8 years or something like that :) Location Minneapolis, MN Work Javascript developer at Robert Half Technology Joined Sep 16, 2019 • Dec 1 '22 Dropdown menu Copy link Hide github.com/tc39/proposal-promise-a... Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Mohd Aliyan Mohd Aliyan Mohd Aliyan Follow I am a software Engineer looking for each day of learning. Joined Oct 6, 2021 • Oct 6 '21 Dropdown menu Copy link Hide Very well explained. Thank you so much Victor. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Yogendra Yogendra Yogendra Follow Location Bengaluru, India Work Web Developer at LayerIV Joined Sep 25, 2020 • Jan 31 '21 Dropdown menu Copy link Hide How can I use Promise.allSettled() with my webpack-react app? Is there any plugin being used for it? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Vladislav Guleaev Vladislav Guleaev Vladislav Guleaev Follow Fullstack Javascript Developer from Munich, Germany. Location Munich, Germany Education Computer Science - Bachelor Degree Work Software Developer at CHECK24 Joined Apr 8, 2019 • Jun 8 '21 Dropdown menu Copy link Hide short and nice! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Shakhruz Shakhruz Shakhruz Follow JavaScript enthusiast Location Tashkent, Uzbekistan Work Junior Full-Stack developer at Cruz Joined Dec 27, 2020 • Jan 5 '21 Dropdown menu Copy link Hide Helpful bro, thnx !!! Like comment: Like comment: Like Comment button Reply View full discussion (14 comments) Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Victor de la Fouchardière Follow 🐦 Frontend developer and technical writer based in France. I love teaching web development and all kinds of other things online 🤖 Location Paris Education EEMI Work Frontend Engineer Joined Nov 4, 2019 More from Victor de la Fouchardière 👑 Create a secure Chat Application with React Hooks, Firebase and Seald 🔐 # react # javascript # showdev # firebase 🍿 Publish your own ESLint / Prettier config for React Projects on NPM 📦 # javascript # react # npm # eslint 🍦 Cancel Properly HTTP Requests in React Hooks and avoid Memory Leaks 🚨 # react # javascript # tutorial # showdev 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://docs.suprsend.com/docs/trigger-workflow | Trigger Workflow - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation WORKFLOW BUILDER Trigger Workflow Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog WORKFLOW BUILDER Trigger Workflow OpenAI Open in ChatGPT Learn how to trigger workflows using any of the available methods. OpenAI Open in ChatGPT You can trigger workflows designed on SuprSend dashboard via making a direct call to workflows.trigger endpoint or via event trigger . In SuprSend, we refer events as user-initiated actions, such as social media interactions, or system-generated events like pending payments. User needs to be created beforehand for event based triggers. Direct API trigger is a straightforward way to get started, as you can include recipient channel information directly in the API call and doesn’t require prior user creation to initiate the notification. Triggering workflow via API It is a unified API to trigger workflow and doesn’t require user creation before hand to trigger notification. Recommended for platforms transitioning their existing notifications to SuprSend. If you are using our frontend SDKs to configure notifications and passing events and user properties from third-party data platforms like Segment, then event-based trigger would be a better choice. It is a new workflow method and is available in below SDK versions (Python >= v0.11.0, Go >= v0.5.1, Node >= 1.10.0 and Java >= 0.7.0). Upgrade to the latest version if you are on older SDK versions. Here is a list of integrations that you can use to trigger workflow over API: Python Backend SDK Node Backend SDK Java Backend SDK Trigger Workflow HTTP API Backend SDK with Golang Sample Payload Here is a sample payload of direct API trigger Python Node Go Java curl Copy Ask AI from suprsend import Event from suprsend import WorkflowTriggerRequest supr_client = Suprsend( "_workspace_key_" , "_workspace_secret_" ) # Prepare workflow payload w1 = WorkflowTriggerRequest( body = { "workflow" : "_workflow_slug_" , "actor" : { "distinct_id" : "0fxxx8f74-xxxx-41c5-8752-xxxcb6911fb08" , "name" : "actor_1" , "$skip_create" : true, }, "recipients" : [ # notify user { "distinct_id" : "0gxxx9f14-xxxx-23c5-1902-xxxcb6912ab09" , "$email" : [ " [email protected] " ], "name" : "recipient_1" , "$preferred_language" : "en" , "$timezone" : "America/New_York" , "$skip_create" : true, }, # notify object { "object_type" : "teams" , "id" : "finance" , "$skip_create" : true}, ], "data" : { "first_name" : "User" , "invoice_amount" : "$5000" , "invoice_id" : "Invoice-1234" , }, }, tenant_id = "tenant_id1" , idempotency_key = "_unique_identifier_of_the_request_" , ) # Trigger workflow response = supr_client.workflows.trigger(w1) print (response) To prevent automatic creation of an actor, or recipient (user/object) in SuprSend (the case where they already exist in your system), you can use the "$skip_create": true flag. This can be applied inside the actor, individual user recipient objects, or object recipient objects. Payload Schema Property Type Description workflow string Slug of designed workflow on SuprSend dashboard. You’ll get the slug from workflow settings. actor ( optional ) string / object Includes distinct_id and properties of the user who performed the action. You can use it for cross-user notifications where you need to include actor properties in notification template. Actor properties can be added as $actor.<prop> . recipients array of string / array of objects List of users who need to be notified. You can add up to 100 recipients in a workflow trigger. You can either pass recipients as an array of distinct_id (if user is pre-synced in SuprSend database) or define recipient information inline . To notify object , pass object_id and type in recipient JSON. data object variable data required to render dynamic template content or workflow properties such as dynamic delay or channel override in send node. tenant_id string unique identifier of the brand / tenant idempotency_key string unique identifier of the request. We’ll be returning idempotency_key in our outbound webhook response . You can use it to map notification statuses and replies in your system. recipients[].$timezone string to set recipient’s timezone. Used to send notification in user’s local timezone. You can pass timezone in IANA (TZ identifier) format. recipients[].$preferred_language string to set recipient’s preferred language. This is to support localization in notification content. You can pass the language in ISO 639-1 2-letter format. Refer all language codes here . $skip_create boolean Optional flag that can be used inside actor , or recipient payloads including both user , or object . When set to true , SuprSend will not create the user or object if it doesn’t already exist in the system. Identifying recipients inline One of the benefits of using direct workflow trigger is that you can identify recipients inline. You can include recipient channel information, their channel preferences, and their user properties along with the workflow trigger. Upon triggering the workflow, the recipient will be automatically created in the SuprSend database in the background. This facilitates dynamic synchronization of your user data within SuprSend and eliminates the need for any migration efforts on your end to start sending notifications from SuprSend. You can also use recipient properties in your template as $recipient.<property> . This is how the complete recipient payload with look like json Copy Ask AI { "distinct_id" : "0gxxx9f14-xxxx-23c5-1902-xxxcb6912ab09" , "$email" :[ " [email protected] " ], "$channels" :[ "email" , "inbox" ], "user_prop1" : "value_1" , "$preferred_language" : "en" , "$timezone" : "America/New_York" } // Object will be identified by {object_type, id}. Rest of the payload will be same as user. { "object_type" : "departments" , "id" : "finance" , "$email" :[ " [email protected] " ], "user_prop1" : "value_1" } Property Type Description distinct_id string Unique identifier of the user to be notified. communication channels ( e m a i l , email, e mai l , sms, etc). array of string You can pass user channel information using $<channel> key. This will override existing channel value from the user profile and use the channel value defined in the key for notification trigger. The same channel information will also be appended to user profile in the background Refer how different communication channels can be passed here $channels array of string / dicts Use it to pass user’s channel preference in the payload. You can always use our in-build preference APIs to maintain user notification preferences. Preferences defined within SuprSend will automatically apply with workflow trigger. By default, notifications will be sent to all channels defined in the workflow delivery node. However, if you have a scenario where user has specific channel preference for a notification (e.g. they only want to receive payment reminders via email), you can include that preference in the workflow payload. This will ensure that notifications are sent only to the channels specified in the $channels key. The supported channel values are email, sms, whatsapp, androidpush, iospush, slack, webpush, ms_teams . $preferred_language string to set recipient’s preferred language. This is to support localization in notification content. You can pass the language in ISO 639-1 2-letter format. Refer all language codes here . $timezone string to set recipient’s timezone. Used to send notification in user’s local timezone. You can pass timezone in IANA (TZ identifier) format. * key-value pair You can pass other user properties to render dynamic template content in key-value pair as "user_prop1":"value1" . Extra properties will be set in subscriber profile (as subscriber properties) which can then be used in the template as $recipient.<property> . Add user communication channel json Copy Ask AI "$email" :[ " [email protected] " ], "$whatsapp" :[ "+15555555555" ], "$sms" :[ "+15555555555" ], "$androidpush" : [{ "token" : "__android_push_token__" , "provider" : "fcm" , "device_id" : "" }], "$iospush" :[{ "token" : "__ios_push_token__" , "provider" : "apns" , "device_id" : "" }], "$slack" : [{ "email" : " [email protected] " , "access_token" : "xoxb-XXXXXXXX" }] // slack using email "$slack" : [{ "user_id" : "U/WXXXXXXXX" , "access_token" : "xoxb-XXXXXX" }] // slack using member_id "$slack" : [{ "channel" : "CXXXXXXXX" , "access_token" : "xoxb-XXXXXX" }] // slack channel "$slack" : [{ "incoming_webhook" : { "url" : "https://hooks.slack.com/services/TXXXX/BXXXX/XXXXXXX" } }] // slack incoming webhook "$ms_teams" : [{ "tenant_id" : "c1981ab2-9aaf-xxxx-xxxx" , "service_url" : "https://smba.trafficmanager.net/amer" , "conversation_id" : "19:c1524d7c-a06f-456f-8abe-xxxx" }] // MS teams user or channel using conversation_id "$ms_teams" : [{ "tenant_id" : "c1981ab2-9aaf-xxxx-xxxx" , "service_url" : "https://smba.trafficmanager.net/amer" , "user_id" : "29:1nsLcmJ2RKtYH6Cxxxx-xxxx" }] // MS teams user using user_id "$ms_teams" : [{ "incoming_webhook" : { "url" : "https://wnk1z.webhook.office.com/webhookb2/XXXXXXXXX" } }] // MS teams incoming webhook Sending notification to multiple recipients Recipients in workflow call is an array of distinct_ids or recipient objects. You can pass up to 100 recipients in a single workflow trigger. SuprSend will internally convert it into multiple workflow triggers, one for each recipient in the array. json Copy Ask AI "recipients" : [ { "distinct_id" : "id1" , "$email" :[ " [email protected] " ], "name" : "recipient_1" }, { "distinct_id" : "id1" , "$email" :[ " [email protected] " ], "name" : "recipient_2" } ] ---- OR ------ "recipients" : [ "id1" , "id2" ] We recommend you to use lists and broadcasts to send notifications to a user list larger than 1000 users. This approach allows for bulk processing within SuprSend, resulting in significantly faster delivery compared to individual workflow calls. Sending individual workflows to a large set of users may introduce delays in your notification queue and is not an optimized way of handling bulk trigger. Sending cross-user notifications In scenarios where you need to notify a group of users based on another user’s action, such as sending a notification to the document owner when someone comments on it, you can specify the actor in your workflow call. This allows you to use actor’s name or other properties in your notification template. Actor properties can be included in the template as $actor.<property> . Sample template with actor and recipient properties: text API request Copy Ask AI //handlebar template Hi {{$recipient.name}}, {{$actor.name}} added {{length comments}} new comments on the {{doc_name}}. //Rendered content Hi recipient_1, actor_1 added 2 new comments on the annual IT report. Event based trigger It is a cleaner way of triggering notifications where your user sync is separate and events are generated from multiple sources, backend systems, Frontend applications (user actions on the platform) or CDP platforms like Segment. Please Note that the user profile should be created beforehand for distinct_id passed in your event call. If user is not present, it will discard the event call. Object triggers are not currently supported in event. Please get in touch if you have this requirement. Below is a sample event call to trigger payment reminder workflow: Python Node.js Java Go curl Copy Ask AI from suprsend import Event # Track Event Example distinct_id = "0fxxx8f74-xxxx-41c5-8752-xxxcb6911fb08" event_name = "Payment Pending" properties = { "first_name" : "User" , "invoice_amount" : "$5000" , "invoice_id" : "Invoice-1234" } event = Event( distinct_id = distinct_id, event_name = event_name, properties = properties) # Track event response = supr_client.track_event(event) print (response) Here is a list of all integrations that you can use to trigger event: Python Backend SDK Node Backend SDK Java Backend SDK Go Backend SDK Trigger Event HTTP API JavaScript Frontend SDK (Web) Kotlin Frontend SDK (Android) React Native Frontend SDK (App) Flutter Frontend SDK (App) Segment Customer Data Platform (CDP) Triggering workflow using google sheets Recommended for one-time notification trigger. This can be used by growth or product teams to trigger one time notifications for lead generation, sales cold messaging or to send announcements and product updates. We do not recommend sending more than 10,000 notifications using google sheets as each row in google sheet trigger converts to 1 workflow request and might take a lot of time to process. Also, since triggers via google sheets are generally promotional notifications, we recommend using one of the promotional sub-categories to trigger this notification. Read more about categories and how they impact your send latencies. Here’s a step-by-step guide on how to send notifications using google sheets: 1 Create a template group on SuprSend account. All the static content can be designed on the template, and all the variable data defined within {{...}} will be passed from the Google Sheet at the time of trigger. 2 Create a google sheet with following data. Each row in the sheet corresponds to one recipient. distinct_id column - this is the unique identifier of the user who needs to be notified. Dynamic data columns - you need to create one column each for the dynamic data (aka variables) in your template. Note that variable names are case sensitive. If this is the template content: Hi {{name}}, your {{Event}} is scheduled at {{Schedule}}. See you there. , you’ll have to create a column for each template variable - name , Event , and schedule in your sheet. User Channels columns - Next, create columns for user channel details. These channel columns are necessary to pass channel information that may not be present in the user profile. It’s always a good practice to include channel information if you’re unsure of its presence in the user profile. You can pass channels as WA for whatsapp, Email for email and SMS for SMS. For Whatsapp and SMS, you need to enter country code infront of the mobile number as +917123xxxxxx . SuprSend Status column - Fill the value TBT in rows for which you want to trigger the notification. Once, the notification is triggered, the status changes to OK .\ 📘 TIP: Google Sheet doesn’t allow to start a field with * + **. To enter in + format, use string function: ="+917123xxxxxx" 3 Go top the Google Sheets Navbar In the Navbar of Google Sheets, click on Extensions and select Apps Script 4 Remove the default information in the Apps Script It will open Apps Script in a new tab. Remove the default information present in the editor, and copy-paste the following in the editor. Appscript Copy Ask AI //Enter your workspace key, secret, template slug, workflow name & category const workspace_key = "__API_KEY__" ; const workspace_secret = "__API_SECRET__" ; const template_slug = "__TEMPLATE_SLUG__" ; const workflow_name = "__WORKFLOW_NAME__" ; const category = "promotional" // Map your column names to channels if need be // Or ensure you use following names for your columns to directly map them to channels // distinc_id for user's distinct id // $sms for user's mobile number // $email for user's email // $whatsapp for user's WhatsApp // If you have other names of your columns you can modify following two lines accordingly const channel_col_names = { "WA" : "$whatsapp" , "Email" : "$email" , "SMS" : "$sms" }; const distinct_id_col_name = 'distinct_id' //--------- No Editing required below -----------------// function Trigger_Workflows() { var sheet = SpreadsheetApp.getActiveSheet(); var data = sheet.getDataRange().getValues(); var headers = data[0]; for (var i = 1; i < data.length; i++) { var response = convert_row_to_payload(data[i], headers); if (response.status === "TBT" ) { make_api_request( response.payload, sheet.getRange(i + 1, parseInt(response.status_col) + 1) ); } } } function convert_row_to_payload(data, headers) { let status = "" ; let status_col = -1; let user = { distinct_id : null , $email : [], $sms : [], $whatsapp : [], }; let payload = {}; payload.data = {}; let private_channelkeys = [ "$sms" , "$whatsapp" , "$email" , "distinct_id" ]; for (var i = 0 ; i < headers.length; i++) { if (data[i].length !== 0) { if ( channel_col_names[headers[i]] || private_channelkeys.includes(headers[i]) ) { if (headers[i] !== "distinct_id" ) { if (user[channel_col_names[headers[i]]]) user[channel_col_names[headers[i]]].push(data[i]); if (user[headers[i]]) user[headers[i]].push(data[i]); } else { user[headers[i]] = data[i]; } } if (headers[ i ] !== "SuprSend Status" ) { payload.data[headers[i]] = data[i]; } else { status = data[i]; status_col = i; } } } user[ "distinct_id" ] = payload.data[ distinct_id_col_name ]; //user["is_transient"] = true; //Uncomment if user is temporary payload.users = [ user ]; payload.name = workflow_name; payload.notification_category = category; payload.template = template_slug; return { payload : JSON.stringify(payload) , status : status , status_col : status_col , }; } function make_api_request(payload, cell) { const uri = "/" + workspace_key + "/trigger/" ; const url = "https://hub.suprsend.com" + uri; const md5 = MD5(payload); const now = new Date().toISOString(); const message = "POST" + " \n " + md5 + " \n " + "application/json" + " \n " + now + " \n " + uri; const byteSignature = Utilities.computeHmacSha256Signature( message, workspace_secret ); const signature = Utilities.base64Encode(byteSignature); var options = { method : "POST" , contentType : "application/json" , headers : { Authorization : workspace_key + ":" + signature , Date : now , }, payload : payload , muteHttpExceptions : true , }; cell.setValue( "Processing..." ); try { var response = UrlFetchApp.fetch(url, options); cell.setValue(response.getContentText()); } catch (error) { cell.setValue( "Error : " + error); } } function onOpen() { var ui = SpreadsheetApp.getUi(); // Or DocumentApp or FormApp. ui.createMenu( "SuprSend" ) .addItem( "Trigger SuprSend Workflow" , "Trigger_Workflows" ) .addToUi(); } function MD 5 (input, isShortMode) { var isShortMode = !!isShortMode; // Be sure to be bool var txtHash = "" ; var rawHash = Utilities.computeDigest( Utilities.DigestAlgorithm.MD5, input, Utilities.Charset.UTF_8 ); if (!isShortMode) { for (i = 0; i < rawHash.length; i++) { var hashVal = rawHash[i]; if (hashVal < 0) { hashVal += 256; } if (hashVal.toString( 16 ).length == 1 ) { txtHash += "0" ; } txtHash += hashVal.toString( 16 ); } } else { for (j = 0; j < 16; j += 8) { hashVal = (rawHash[j] + rawHash[j + 1] + rawHash[j + 2] + rawHash[j + 3]) ^ (rawHash[j + 4] + rawHash[j + 5] + rawHash[j + 6] + rawHash[j + 7]); if (hashVal < 0) { hashVal += 1024; } if (hashVal.toString( 36 ).length == 1 ) { txtHash += "0" ; } txtHash += hashVal.toString( 36 ); } } // change below to "txtHash.toUpperCase()" if needed return txtHash; } You’ll find following information to be added in your script from SuprSend dashboard. Data Description api-key API Key for your workspace. From left navigation panel, select settings -> API Keys. api-secret API Key for your workspace. From left navigation panel, select settings -> API Keys. template-slug Add the template slug of the template that you want to trigger. You can copy the the template slug by clicking on copy icon next to the template name on template details page. Workflow Name Give a name to identify your workflow. It’ll help you locate the sent workflow on the workflow listing page. You can see the notification performance on Workflow -> Analytics page. category Provide notification category. We recommend using promotional sub-category for sending engagement notifications. You can read more Notification Categories here . 5 Save the Script - Close the Tab - Reload your Google Sheets Page! After reloading, you will find a new option named “ SuprSend ” in the navigation bar. On clicking it, you will see the option to Trigger SuprSend Workflow . On triggering, the script will pick up all the rows which have value in the column name “ SuprSend Status ”, and will make an API call to SuprSend. For the successful API call, the status will change to OK . 6 Check the Status You can check the status of your notification trigger on the Logs page. Was this page helpful? Yes No Suggest edits Raise issue Previous Validate Trigger Payload Validate the data passed to workflow API or event properties using JSON schemas to catch payload mismatch errors at API level. Next ⌘ I x github linkedin youtube Powered by On this page Triggering workflow via API Sample Payload Identifying recipients inline Add user communication channel Sending notification to multiple recipients Sending cross-user notifications Event based trigger Triggering workflow using google sheets self.__next_f.push([1,"\"use strict\";\nconst {Fragment: _Fragment, jsx: _jsx, jsxs: _jsxs} = arguments[0];\nconst {useMDXComponents: _provideComponents} = arguments[0];\nfunction _createMdxContent(props) {\n const _components = {\n a: \"a\",\n annotation: \"annotation\",\n br: \"br\",\n code: \"code\",\n em: \"em\",\n hr: \"hr\",\n li: \"li\",\n math: \"math\",\n mi: \"mi\",\n mo: \"mo\",\n mrow: \"mrow\",\n p: \"p\",\n pre: \"pre\",\n semantics: \"semantics\",\n span: \"span\",\n strong: \"strong\",\n table: \"table\",\n tbody: \"tbody\",\n td: \"td\",\n th: \"th\",\n thead: \"thead\",\n tr: \"tr\",\n ul: \"ul\",\n ..._provideComponents(),\n ...props.components\n }, {Card, CardGroup, CodeBlock, CodeGroup, Heading, Info, Note, OptimizedImage, Step, Steps, Tip, Warning} = _components;\n if (!Card) _missingMdxReference(\"Card\", true);\n if (!CardGroup) _missingMdxReference(\"CardGroup\", true);\n if (!CodeBlock) _missingMdxReference(\"CodeBlock\", true);\n if (!CodeGroup) _missingMdxReference(\"CodeGroup\", true);\n if (!Heading) _missingMdxReference(\"Heading\", true);\n if (!Info) _missingMdxReference(\"Info\", true);\n if (!Note) _missingMdxReference(\"Note\", true);\n if (!OptimizedImage) _missingMdxReference(\"OptimizedImage\", true);\n if (!Step) _missingMdxReference(\"Step\", true);\n if (!Steps) _missingMdxReference(\"Steps\", true);\n if (!Tip) _missingMdxReference(\"Tip\", true);\n if (!Warning) _missingMdxReference(\"Warning\", true);\n return _jsxs(_Fragment, {\n children: [_jsxs(_components.p, {\n children: [\"You can trigger workflows designed on SuprSend dashboard via making a \", _jsx(_components.a, {\n href: \"/docs/trigger-workflow#triggering-workflow-via-api\",\n children: \"direct call\"\n }), \" to \", _jsx(_components.code, {\n children: \"workflows.trigger\"\n }), \" endpoint or via \", _jsx(_components.a, {\n href: \"/docs/trigger-workflow#event-based-trigger\",\n children: \"event trigger\"\n }), \". In SuprSend, we refer events as user-initiated actions, such as social media interactions, or system-generated events like pending payments. User needs to be created beforehand for event based triggers.\"]\n }), \"\\n\", _jsxs(_components.p, {\n children: [_jsx(_components.a, {\n href: \"/docs/trigger-workflow#triggering-workflow-via-api\",\n children: \"Direct API trigger\"\n }), \" is a straightforward way to get started, as you can include recipient channel information directly in the API call and doesn’t require prior user creation to initiate the notification.\"]\n }), \"\\n\", _jsx(Heading, {\n level: \"2\",\n id: \"triggering-workflow-via-api\",\n children: \"Triggering workflow via API\"\n }), \"\\n\", _jsx(Info, {\n children: _jsxs(_components.p, {\n children: [\"It is a unified API to trigger workflow and doesn’t require user creation before hand to trigger notification. Recommended for platforms transitioning their existing notifications to SuprSend. If you are using our frontend SDKs to configure notifications and passing events and user properties from third-party data platforms like Segment, then \", _jsx(_components.a, {\n href: \"/docs/trigger-workflow#event-based-trigger\",\n children: \"event-based trigger\"\n }), \" would be a better choice.\"]\n })\n }), \"\\n\", _jsx(Warning, {\n children: _jsx(_components.p, {\n children: \"It is a new workflow method and is available in below SDK versions (Python \u003e= v0.11.0, Go \u003e= v0.5.1, Node \u003e= 1.10.0 and Java \u003e= 0.7.0). Upgrade to the latest version if you are on older SDK versions.\"\n })\n }), \"\\n\", _jsx(_components.p, {\n children: \"Here is a list of integrations that you can use to trigger workflow over API:\"\n }), \"\\n\", _jsxs(CardGroup, {\n cols: \"3\",\n children: [_jsx(Card, {\n title: \"Python Backend SDK\",\n icon: \"python\",\n iconType: \"solid\",\n href: \"/docs/python-trigger-workflow-from-api\"\n }), _jsx(Card, {\n title: \"Node Backend SDK\",\n icon: \"js\",\n iconType: \"solid\",\n href: \"/docs/node-trigger-workflow-from-api\"\n }), _jsx(Card, {\n title: \"Java Backend SDK\",\n icon: \"java\",\n iconType: \"solid\",\n href: \"/docs/java-trigger-workflow-from-api\"\n }), _jsx(Card, {\n title: \"Trigger Workflow HTTP API\",\n icon: \"arrows-spin\",\n iconType: \"solid\",\n href: \"/reference/trigger-workflow-api\"\n }), _jsx(Card, {\n title: \"Backend SDK with Golang\",\n icon: \"golang\",\n iconType: \"solid\",\n href: \"/docs/go-trigger-workflow-from-api\"\n })]\n }), \"\\n\", _jsx(Heading, {\n level: \"3\",\n id: \"sample-payload\",\n children: \"Sample Payload\"\n }), \"\\n\", _jsx(_components.p, {\n children: \"Here is a sample payload of direct API trigger\"\n }), \"\\n\", _jsxs(CodeGroup, {\n children: [_jsx(CodeBlock, {\n filename: \"Python\",\n numberOfLines: \"40\",\n language: \"python\",\n children: _jsx(_components.pre, {\n className: \"shiki shiki-themes github-light-default dark-plus\",\n style: {\n backgroundColor: \"#ffffff\",\n \"--shiki-dark-bg\": \"#0B0C0E\",\n color: \"#1f2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n language: \"python\",\n children: _jsxs(_components.code, {\n language: \"python\",\n numberOfLines: \"40\",\n children: [_jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#C586C0\"\n },\n children: \"from\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" suprsend \"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#C586C0\"\n },\n children: \"import\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" Event\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#C586C0\"\n },\n children: \"from\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" suprsend \"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#C586C0\"\n },\n children: \"import\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" WorkflowTriggerRequest\"\n })]\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\"\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"supr_client \"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"=\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" Suprsend(\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"_workspace_key_\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \", \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"_workspace_secret_\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \")\"\n })]\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\"\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#6E7781\",\n \"--shiki-dark\": \"#6A9955\"\n },\n children: \"# Prepare workflow payload\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"w1 \"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"=\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" WorkflowTriggerRequest(\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" body\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"=\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"{\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"workflow\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"_workflow_slug_\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"actor\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": {\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"distinct_id\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"0fxxx8f74-xxxx-41c5-8752-xxxcb6911fb08\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"name\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"actor_1\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"$skip_create\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": true,\"\n })]\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" },\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"recipients\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": [\"\n })]\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#6E7781\",\n \"--shiki-dark\": \"#6A9955\"\n },\n children: \" # notify user\"\n })\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" {\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"distinct_id\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"0gxxx9f14-xxxx-23c5-1902-xxxcb6912ab09\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"$email\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": [\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"abc@example.com\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"],\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"name\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"recipient_1\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"$preferred_language\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"en\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"$timezone\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"America/New_York\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"$skip_create\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": true,\"\n })]\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" },\"\n })\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#6E7781\",\n \"--shiki-dark\": \"#6A9955\"\n },\n children: \" # notify object\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" {\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"object_type\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"teams\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \", \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"id\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"finance\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \", \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"$skip_create\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": true},\"\n })]\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" ],\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"data\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": {\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"first_name\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"User\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"invoice_amount\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"$5000\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" \\\"invoice_id\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \": \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"Invoice-1234\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" },\"\n })\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" },\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" tenant_id\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"=\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"tenant_id1\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" idempotency_key\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"=\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"_unique_identifier_of_the_request_\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \",\"\n })]\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \")\"\n })\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\"\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#6E7781\",\n \"--shiki-dark\": \"#6A9955\"\n },\n children: \"# Trigger workflow\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"response \"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"=\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" supr_client.workflows.trigger(w1)\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \"print\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"(response)\"\n })]\n }), \"\\n\"]\n })\n })\n }), _jsx(CodeBlock, {\n filename: \"Node\",\n numberOfLines: \"44\",\n language: \"javascript\",\n children: _jsx(_components.pre, {\n className: \"shiki shiki-themes github-light-default dark-plus\",\n style: {\n backgroundColor: \"#ffffff\",\n \"--shiki-dark-bg\": \"#0B0C0E\",\n color: \"#1f2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n language: \"javascript\",\n children: _jsxs(_components.code, {\n language: \"javascript\",\n numberOfLines: \"44\",\n children: [_jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \"const\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" { \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#4FC1FF\"\n },\n children: \"Suprsend\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \", \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#4FC1FF\"\n },\n children: \"WorkflowTriggerRequest\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" } \"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"=\"\n }), _jsx(_components.span, {\n style: {\n color: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \" require\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"(\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"@suprsend/node-sdk\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \");\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \"const\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#4FC1FF\"\n },\n children: \" supr_client\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" =\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \" new\"\n }), _jsx(_components.span, {\n style: {\n color: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \" Suprsend\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"(\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"_workspace_key_\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \", \"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \"\\\"_workspace_secret_\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \");\"\n })]\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\"\n }), \"\\n\", _jsx(_components.span, {\n className: \"line\",\n children: _jsx(_components.span, {\n style: {\n color: \"#6E7781\",\n \"--shiki-dark\": \"# | 2026-01-13T08:48:12 |
https://design.forem.com/favour_okhioya_9b7d7bd62f/comment/2p3me | I have an idea that is awesome mind if I give you an insight it truly a great... - Design Community 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 Design Community Close Discussion on: S27:E7 - Tech and Art (Chris Immel) View post Collapse Expand Favour Okhioya Favour Okhioya Favour Okhioya Follow I just that person with ideas Email favourokhioya2006@gmail.com Location Lagos Nigeria Joined Jun 16, 2025 • Jun 16 '25 Dropdown menu Copy link Hide I have an idea that is awesome mind if I give you an insight it truly a great idea Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse 💎 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 Design Community — Web design, graphic design and everything in-between 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 . Design Community © 2016 - 2026. We're a place where designers share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:12 |
https://docs.givechariot.com/ | Documentation | Chariot Search / Contact us Login Guides API Reference Changelog Guides API Reference Changelog Light Documentation Copy page Whether you’re just getting started, deep in the development process, or ready to distribute and ship your work, Chariot’s docs, dev tools and frameworks make building easy and efficient. Our API allows you to access the $250B+ Donor Advised Fund (DAF) market and unlock the fastest growing vehicle in philanthropy. We’ve done the heavy lifting so nonprofits can focus on realizing their charitable missions and creating positive social impact. Help us change the way people give to grow the kindness market to 10% of GDP! If you have any questions or want to get started, don’t hesitate to ping us at contact@givechariot.com . We can’t wait to see what you build! Guides Learn how to integrate and use Chariot’s features with our comprehensive guides. API Reference Explore our detailed API documentation for in-depth information on endpoints and requests. Changelog Stay up-to-date with the latest changes and improvements to the Chariot API. Was this page helpful? Yes No Built with v2025-02-24 v2025-02-24 v2025-02-24 v2025-02-24 Contact us Login | 2026-01-13T08:48:12 |
https://github.com/git-guides | Git · GitHub Skip to content Navigation Menu Toggle navigation Sign in 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 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 }} Git Guides Git Install Init Clone Add Commit Remote Status Pull Push Sign up Git Guide Everything you need to know about Git, from getting started to advanced commands and workflows. Quick links: What is Git? What is Git Written in? Why Use Git? Speed Merge conflicts Cheap branches Ease of roll back How Do I Use Git? Learning Git Basics Getting Started With the Git Workflow Create a branch Make changes (and make a commit) Push your changes to the remote Open a pull request Collaborate Merge into main Getting Started With GitHub What is Git? Git is a distributed version control software. Version control is a way to save changes over time without overwriting previous versions. Being distributed means that every developer working with a Git repository has a copy of that entire repository – every commit, every branch, every file. If you're used to working with centralized version control systems, this is a big difference! Whether or not you've worked with version control before, there are a few things you should know before getting started with Git: Branches are lightweight and cheap, so it's OK to have many of them Git stores changes in SHA hashes, which work by compressing text files. That makes Git a very good version control system (VCS) for software programming, but not so good for binary files like images or videos. Git repositories can be connected, so you can work on one locally on your own machine, and connect it to a shared repository. This way, you can push and pull changes to a repository and easily collaborate with others. What is Git Written in? The tools that make up the core Git distribution are written in C, Shell, Perl, and Tcl. You can find Git's source code on GitHub under git/git . Why Use Git? Version control is very important – without it, you risk losing your work. With Git, you can make a "commit", or a save point, as often as you'd like. You can also go back to previous commits. This takes the pressure off of you while you're working. Commit often and commit early, and you'll never have that gut-sinking feeling of overwriting or losing changes. There are many version control systems out there – but Git has some major advantages. Speed Like we mentioned above, Git uses SHA compression, which makes it very fast. Merge conflicts Git can handle merge conflicts, which means that it's OK for multiple people to work on the same file at the same time . This opens up the world of development in a way that isn't possible with centralized version control. You have access to the entire project, and if you're working on a branch, you can do whatever you need to and know that your changes are safe. Cheap branches Speaking of branches, Git offers a lot of flexibility and opportunity for collaboration with branches. By using branches, developers can make changes in a safe sandbox. Instead of only committing code that is 100% sure to succeed, developers can commit code that might still need help. Then, they can push that code to the remote and get fast feedback from integrated tests or peer review. Without sharing the code through branches, this would never be possible. Ease of roll back If you make a mistake, it's OK! Commits are immutable, meaning they can't be changed. ( Note: You can change history, but it will create new replacement commits instead of editing the existing commits. More on that later! ) This means that if you do make a mistake, even on an important branch, like main , it's OK . You can easily revert that change, or roll back the branch pointer to the commit where everything was fine. The benefits of this can't be overstated. Not only does it create a safer environment for the project and code, but it fosters a development environment where developers can be braver, trusting that Git has their back. How Do I Use Git? Learning Git Basics If you're getting started with Git, a great place to learn the basic commands is the Git Cheat sheet . It's translated into many languages, open source as a part of the github/training-kit repository , and a great starting place for the fundamentals on the command line. Some of the most important and most used commands that you'll find there are: git clone [url] : Clone (download) a repository that already exists on GitHub, including all of the files, branches, and commits. git status : Always a good idea, this command shows you what branch you're on, what files are in the working or staging directory, and any other important information. git branch : This shows the existing branches in your local repository. You can also use git branch [branch-name] to create a branch from your current location, or git branch --all to see all branches, both the local ones on your machine, and the remote tracking branches stored from the last git pull or git fetch from the remote. git checkout [branch-name] : Switches to the specified branch and updates the working directory. git add [file] : Snapshots the file in preparation for versioning, adding it to the staging area. git commit -m "descriptive message" : Records file snapshots permanently in the version history. git pull : Updates your current local working branch with all new commits from the corresponding remote branch on GitHub. git pull is a combination of git fetch and git merge . git push : Uploads all local branch commits to the remote. git log : Browse and inspect the evolution of project files. git remote -v : Show the associated remote repositories and their stored name, like origin . If you're looking for more GitHub-specific technical guidance, check out GitHub's help documentation or our GitHub for Developers series on YouTube. Getting Started With the Git Workflow Depending on your operating system, you may already have Git installed . But, getting started means more than having the software! To get started, it's important to know the basics of how Git works. You may choose to do the actual work within a terminal, an app like GitHub Desktop, or through GitHub.com. ( Note: while you can interact with Git through GitHub.com, your experience may be limited. Many local tools can give you access to the most widely used Git functionalities, though only the terminal will give you access to them all. ) There are many ways to use Git, which doesn't necessarily make it easier! But, the fundamental Git workflow has a few main steps. You can practice all of these in the Introduction to GitHub Learning Lab course . Create a branch The main branch is usually called main . We want to work on another branch, so we can make a pull request and make changes safely. To get started, create a branch off of main . Name it however you'd like – but we recommend naming branches based on the function or feature that will be the focus of this branch. One person may have several branches, and one branch may have several people collaborate on it – branches are for a purpose, not a person. Wherever you currently "are" (wherever HEAD is pointing, or whatever branch you're currently "checked out" to) will be the parent of the branch you create. That means you can create branches from other branches, tags, or any commit! But, the most typical workflow is to create a branch from main – which represents the most current production code. Make changes (and make a commit) Once you've created a branch, and moved the HEAD pointer to it by "checking out" to that branch, you're ready to get to work. Make the changes in your repository using your favorite text editor or IDE. Next, save your changes. You're ready to start the commit! To start your commit , you need to let Git know what changes you'd like to include with git add [file] . Once you've saved and staged the changes, you're ready to make the commit with git commit -m "descriptive commit message" . Push your changes to the remote So far, if you've made a commit locally, you're the only one that can see it. To let others see your work and begin collaboration, you should "push" your changes using git push . If you're pushing from a branch for the first time that you've created locally, you may need to give Git some more information. git push -u origin [branch-name] tells Git to push the current branch, and create a branch on the remote that matches it with the same name – and also, create a relationship with that branch so that git push will be enough information in the future. By default, git push only pushes the branch that you've currently checked out to. Sometimes, if there has been a new commit on the branch on the remote , you may be blocked from pushing. Don't worry! Start with a simple git pull to incorporate the changes on the remote into your own local branch, resolve any conflicts or finish the merge from the remote into the local branch, and then try the push again. Open a pull request Pushing a branch, or new commits, to a remote repository is enough if a pull request already exists, but if it's the first time you're pushing that branch, you should open a new pull request. A pull request is a comparison of two branches – typically main , or the branch that the feature branch was created from, and the feature branch. This way, like branches, pull requests are scoped around a specific function or addition of work, rather than the person making the changes or the amount of time the changes will take. Pull requests are the powerhouse of GitHub. Integrated tests can automatically run on pull requests, giving you immediate feedback on your code. Peers can give detailed code reviews, letting you know if there are changes to make, or if it's ready to go. Make sure you start your pull requests off with the right information. Put yourself in the shoes of your teammates, or even of your future self. Include information about what this change relates to, what prompted it, what is already done, what is left to do, and any specific asks for help or reviews. Include links to relevant work or conversations. Pull request templates can help make this process easy by automating the starting content of the body of pull requests. Collaborate Once the pull request is open, then the real fun starts. It's important to recognize that pull requests aren't meant to be open when work is finished . Pull requests should be open when work is beginning ! The earlier you open a pull request, the more visibility the entire team has to the work that you're doing. When you're ready for feedback, you can get it by integrating tests or requesting reviews from teammates. It's very likely that you will want to make more changes to your work. That's great! To do that, make more commits on the same branch. Once the new commits are present on the remote, the pull request will update and show the most recent version of your work. Merge into main Once you and your team decide that the pull request looks good, you can merge it. By merging, you integrate the feature branch into the other branch (most typically the main branch). Then, main will be updated with your changes, and your pull request will be closed. Don't forget to delete your branch! You won't need it anymore. Remember, branches are lightweight and cheap, and you should create a new one when you need it based on the most recent commit on the main branch. If you choose not to merge the pull request, you can also close pull requests with unmerged changes. Getting Started With GitHub If you're wondering where Git ends and GitHub begins, you're not alone. They are tied closely together to make working with them both a seamless experience. While Git takes care of the underlying version control, GitHub is the collaboration platform built on top of it. GitHub is the place for pull requests, comments, reviews, integrated tests, and so much more. Most developers work locally to develop and use GitHub for collaboration. That ranges from using GitHub to host the shared remote repository to working with colleagues and capitalizing on features like protected branches, code review, GitHub Actions, and more. The best place to practice using Git and GitHub is the Introduction to GitHub Learning Lab course . If you already know Git and need to sign up for a GitHub account, head over to github.com . Contribute to this article on GitHub. Get started with git and GitHub Review code, manage projects, and build software alongside 40 million developers. Sign up for GitHub Sign in Site-wide Links Subscribe to our developer newsletter Get tips, technical guides, and best practices. Twice a month. Subscribe Platform Features Enterprise Copilot AI Security Pricing Team Resources Roadmap Compare GitHub Ecosystem Developer API Partners Education GitHub CLI GitHub Desktop GitHub Mobile GitHub Marketplace MCP Registry Support Docs Community Forum Professional Services Premium Support Skills Status Contact GitHub Company About Why GitHub Customer stories Blog The ReadME Project Careers Newsroom Inclusion Social Impact Shop © 2026 GitHub, Inc. Terms Privacy (Updated 02/2024) 02/2024 Sitemap What is Git? Manage cookies Do not share my personal information GitHub on LinkedIn Instagram GitHub on Instagram GitHub on YouTube GitHub on X TikTok GitHub on TikTok Twitch GitHub on Twitch GitHub’s organization on GitHub English English Português (Brasil) Español (América Latina) 日本語 한국어 You can’t perform that action at this time. | 2026-01-13T08:48:13 |
https://github.com/features?locale=ja | GitHub 機能 · GitHub Skip to content Navigation Menu Toggle navigation サインイン 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 サインイン サインアップ 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 }} 機能 Navigation menu GitHub Copilot セキュリティ GitHub Actions Codespaces GitHub Issues コードレビュー Discussions コード検索 ソフトウェア開発に欠かせないツール GitHub Copilot ChatでAI を体験 Learn more 最新のGitHubプレビュー機能 Learn more Anchor navigation menu. Currently selected: コーディングのコラボレーション 自動化とCI/CD アプリケーションセキュリティ クライアントアプリ プロジェクト管理 コーディングのコラボレーション /features Flex - コーディングのコラボレーション - リバー ブレイクアウト シームレスなコラボレーションにより、 より迅速なイノベーションを実現 します。 気になる 変更内容を確認 します。 コードを中心に コミュニティを構築 。 GitHub Codespaces お気に入りのエディターをフル活用し、クラウド上で完全に構成済みの開発環境を素早く構築できます。 Learn more GitHub Copilot コード行全体や関数全体の改善提案をエディター内で表示できます。 Learn more プルリクエスト コントリビュータによるリポジトリへの変更に関する通知を受け取り、指定されたアクセス制限に従って、承認された更新をシームレスにマージできます。 Learn more Discussions コミュニティが一堂に会し、質疑応答や、自由な対話を行える専用スペースです。 Learn more コード検索とコード レビュー 強力なツールで、GitHub.comからコードをすばやく検索、ナビゲート、理解できます。 Learn more コードレビュー 新しいコードの確認、変更内容を可視化、自動化されたステータスチェックで自信を持ってマージできます。 Learn more プルリクエストのドラフト作成 正式なレビューや不要なマージのリスクを伴わずに、変更について共同作業やディスカッションを行うことができます。 Learn more 保護されたブランチ レビューを必須にするか、アクセスを特定のコントリビュータに制限することで、ブランチのマージ制限を適用します。 Learn more 自動化とCI/CD /features Flex - 自動化と CI/CD - リバー ブレイクアウト すべてを自動化: CI/CD、テスト、計画、プロジェクト管理、Issueのラベル付け、承認、オンボーディングなど。 ベストプラクティス、セキュリティ、コンプライアンスをOrganization全体で標準化し、組織の成長にも対応します。 パートナーやコミュニティから提供された数千のActionsワークフローを利用して、すぐに始められます。 GitHub Actions GitHub上でソフトウェア開発ワークフローを自動化するもので、タスクを作成し組み合わせ、迅速にビルド、テスト、デプロイできます。 Learn more GitHub Packages 独自のソフトウェアパッケージをホストしたり、他のプロジェクトの依存関係として使用したりできます。プライベートホスティングとパブリックホスティングの両方が利用可能です。 Learn more API GitHub内で必要なすべてのデータとイベントを取得するための呼び出しを作成、ソフトウェア開発ワークフローを自動的に開始、前進させましょう。 Learn more GitHub Marketplace コミュニティから提供される数千のActionsワークフローとアプリケーションを活用して、あなたワークフローの構築、改善、加速を支援します。 Learn more Webhook 数十のイベントと Webhook APIにより、リポジトリ、Organization、またはアプリケーションとの統合や作業の自動化を支援します。 Learn more GitHubホステッドランナー オンデマンドのLinux、macOS、Windows、ARM、およびGPU環境を使用して自動化をクラウドに移行し、ワークフローをすべてGitHubでホストして実行します。 Learn more セルフホストランナー ラベル、グループ、ポリシーを活用して、自社マシンでの実行を管理するためのより多くの環境とより詳細な制御を実現。さらに、オープンソースのランナーアプリケーションも利用可能です。 Learn more ワークフローの可視化 ワークフローをマッピングし、その進捗をリアルタイムで追跡し、複雑なワークフローを理解し、チームの他のメンバーとステータスを共有します。 Learn more ワークフローのテンプレート Organization全体で共有する事前設定済みのワークフローのテンプレートを活用し、ベストプラクティスとプロセスを標準化・スケール化します。 Learn more アプリケーションセキュリティ アプリケーションセキュリティでは脆弱性は検知してすぐ修正することが、GitHub Copilot Autofixで可能に。 アプリケーションセキュリティでは脆弱性は検知してすぐ修正することが、 GitHub Copilot Autofixで可能に。 GitHub Advanced Securityについて知る アプリケーションの脆弱性と機密情報の漏洩を 防止、検出、修正 します。 過去のアラートを対象に 、大規模なセキュリティ債務も削減します。 開発者が慣れ親しんだ GitHubプラットフォームに組み込まれています 。 コードスキャン コード内の脆弱性の検出にCodeQLを利用、業界をリードするセマンティックコード分析ツールを使い、全てのプルリクエストをスキャンすることで、新たな脆弱性が取り込まれることを阻止します。 Learn more GitHub Copilot Autofix GitHub Copilotを活用して、JavaScript、TypeScript、Java、および Pythonのアラート タイプの90%に対して自動修正を生成します。コンテキストに応じた脆弱性情報とアドバイスを活用して、迅速に修復を実施します。 Learn more セキュリティ キャンペーン 最大1,000件のアラートを一度にターゲットに設定し、自動修正を生成するセキュリティ キャンペーンにより、アプリケーションセキュリティ債務のバックログを解消します。これにより、脆弱性やゼロデイ攻撃のリスクを迅速に軽減します。 Learn more シークレット スキャン パブリックリポジトリとプライベートリポジトリに露出している機密情報を検出して無効化することで、サービスへのアクセスを保護します。 Learn more GitHub Copilotシークレットスキャン パスワードのような見つけづらいシークレットを検出するための追加のAI機能。 Learn more 依存関係グラフ プロジェクトが依存しているパッケージ、そのパッケージに依存しているリポジトリ、依存関係で検出された脆弱性を表示します。 Learn more Dependabotアラート 新しい脆弱性がリポジトリに影響を与える際にアラートを受け取ります。GitHubは、パブリックリポジトリとプライベートリポジトリの両方で脆弱な依存関係を検出し、通知します。 Learn more Dependabotセキュリティとバージョンの更新 脆弱性のある依存関係や古くなった依存関係を更新するプルリクエストを自動的に開くことで、コードを安全に維持します。 Learn more 依存関係のレビュー マージする前にプルリクエストで新しい依存関係がセキュリティに与える影響を評価できます。 Learn more GitHub セキュリティアドバイザリ オープンソースリポジトリで検出されたセキュリティの脆弱性に関する情報を非公開で報告し、議論し、修正して公開します。 Learn more 非公開脆弱性報告 パブリックリポジトリ上の脆弱性報告を、コミュニティから非公開で受け取り、解決のための共同作業を行うことができます。 Learn more GitHub Advisory Database GitHubのデータベース内の既知の脆弱性を閲覧または検索し、GitHubの依存関係グラフとリンクされたキュレーション済みのCVEとセキュリティアドバイザリを確認できます。 Learn more クライアントアプリ どこからでもGitHubにアクセス: デスクトップ、モバイル、コマンドラインから。 どこからでもGitHubにアクセス: デスクトップ、モバイル、コマンドラインから。 どこからでもアクセス可能。 GitHubは、macOS、Windows、スマホやタブレットでネイティブアプリから使用できます。 効率的な管理。 GitHub CLIやモバイルアプリを使用して、プルリクエスト、Issue、タスクを迅速に処理できます。 開発の効率化。 GitHub Desktopを使用して、変更内容を可視化し、簡単にコミットできます。 GitHub Mobile モバイルアプリで、外出先からプロジェクト、アイデア、コードをスマホやタブレットから利用できます。 Learn more GitHub CLI 既にGitとコードで作業している端末からIssueとプルリクエストを管理できます。 Learn more GitHub Desktop 変更を可視化、コミット、プッシュできるGUIを活用して開発ワークフローを簡素化できます。コマンドラインは不要です。 Learn more プロジェクト管理 機能リクエスト、バグ、その他の情報を整理。 機能リクエスト、バグ、その他の情報を整理。 プロジェクトテーブル、ボード、タスクリストを活用して、 大小さまざまなイニシアチブをまとめる ことができます。 ソフトウェアチームのために設計されました。 自分が提供するものをコミットに至るまで追跡できます。 GitHub Projects Issueとプルリクエストのカスタマイズされたビューを作成し、作業計画と進捗管理を行うことができます。 Learn more GitHub Issues バグ、機能拡張、その他のリクエストを追跡し、作業に優先順位を付け、変更が提案およびマージされた時に関係者と連絡を取り合います。 Learn more マイルストーン リポジトリ内のIssueまたはプルリクエストのグループの進捗状況を追跡し、グループをプロジェクト全体の目標にマッピングします。 Learn more グラフと分析情報 プロジェクトのデータからグラフを作成し、共有することで、その分析情報を活用してプロジェクトを可視化できます。 Learn more Organizationの依存関係インサイト Organizationが依存しているオープンソースプロジェクトに関する脆弱性、ライセンス、その他の重要な情報を確認できます。 Learn more リポジトリ分析情報 リポジトリ内のアクティビティ、トレンド、コントリビューションに関するデータを利用して、データ主導のアプローチで開発サイクルを改善します。 Learn more Wiki リポジトリ内のWikiにプロジェクトのドキュメントをホストし、コントリビュータがウェブ上またはローカルで簡単に編集できるようにします。 Learn more ガバナンスと管理 プロジェクトやチーム全体で、アクセスと権限の管理をシンプルに。 プロジェクトやチーム全体で、 アクセスと権限の管理をシンプル に。 権限を更新したり、成長に応じて新規ユーザを追加したり、 ユーザーごとに必要な権限を厳密に付与します。 OktaとEntra IDと同期。 Organization チーム単位または個々のユーザー単位で、リポジトリを所有するユーザーアカウントのグループを作成し、アクセス権限を管理します。 Learn more Team 会社の構造を反映してメンバーを構造化し、権限とメンションへのカスケードアクセスを提供します。 Learn more チームの同期 Entra IDやOktaなど、IDプロバイダーとOrganizationの間でチームの同期をGitHub上で行うことができます。 Learn more カスタムロール Organization内での役割に基づいて、コード、データ、設定へのユーザーのアクセス レベルを定義します。 Learn more リポジトリのカスタムロール 詳細な権限設定によるカスタムロールを作成することで、メンバーに必要な権限のみが付与されるようにします。 Learn more ドメイン認証 GitHubでOrganization の身元を認証し、認証済みであることをプロフィールバッジで表示します。 Learn more コンプライアンスレポート GitHubのクラウドコンプライアンスレポート 、SOCレポートや Cloud Security Alliance CAIQ自己評価(CSA CAIQなど)を活用して、セキュリティ評価と認証の要件に対応できます。 Learn more 監査ログ Organizationのメンバーが実行したアクションを迅速にレビューします。アクセス、権限の変更、ユーザの変更、およびその他のイベントを監視します。 Learn more リポジトリルール スケーラブルなソース コード保護機能によってOrganizationのセキュリティを強化し、ルール分析を活用してリポジトリ内のコード変更がどのように、なぜ発生したかを簡単に確認できます。 Learn more Enterprise アカウント GitHub Enterpriseが必要 Enterpriseアカウントを通じて、可視化と管理を単一のポイントから行うことで、Organizationと GitHub環境間のコラボレーションを実現します。 Learn more GitHub Connect GitHub Enterpriseが必要 GitHub Enterprise ServerインスタンスとGitHub Enterprise Cloudの間で機能とワークフローを共有できます。 Learn more SAML GitHub Enterpriseが必要 SAMLを使用して、リポジトリ、Issue、プルリクエストなどのOrganizationリソースへのアクセスを安全に制御しつつ、ユーザーがGitHubのユーザー名で認証できるようにします。 Learn more LDAP GitHub Enterpriseが必要 リポジトリを一元管理します。LDAPは、サードパーティソフトウェアと大企業のユーザーディレクトリを統合するために使用される最も一般的なプロトコルの1つです。 Learn more Enterprise Managed Users GitHub Enterpriseが必要 GitHub Enterprise Cloud上のユーザーのライフサイクルと認証を、ユーザーのIDプロバイダー (IdP) から管理します。 Learn more お好みのID プロバイダーをEnterprise Managed Usersに使用 GitHub Enterpriseが必要 Enterprise Managed UsersにSSOとSCIMプロバイダを使い分けることで、ユーザーライフサイクル管理の柔軟性を高めることができます。 Learn more コミュニティ コミュニティ GitHub Sponsors オープンソースプロジェクトを資金面で支援します。コントリビュータ、メンテナー、またはプロジェクトを1回限りまたは繰り返しで支援します。 Learn more GitHub Skills GitHub内でフレンドリーなボットが案内するタスクやプロジェクトを完了することで、GitHubの使い方や新しいスキルを習得できます。 Learn more Electron Node.jsとChromium を基盤として、ElectronフレームワークでJavaScript、HTML、およびCSSを使用してクロスプラットフォームのデスクトップアプリケーションを作成します。 Learn more 教育 GitHub Educationは、世界中の生徒や学生と教育者にテクノロジーとオープンソースのコラボレーションを普及させるための取り組みです。 Learn more GitHubを使ってみましょう 各プランを比較して、ご自身のニーズに最適なソリューションを見つけてください。 プランと料金をチェック 営業へ問合せ Site-wide Links 開発者ニュースレターをサブスクライブする ヒント、テクニカルガイド、ベストプラクティスを受け取りましょう。毎月 2 回。 サブスクライブ プラットフォーム 機能 Enterprise Copilot AI セキュリティ 価格 Team リソース ロードマップ GitHub を比較する エコシステム 開発者 API パートナー 教育 GitHub CLI GitHub Desktop GitHub Mobile GitHub Marketplace MCP Registry サポート ドキュメント コミュニティフォーラム プロフェッショナルサービス プレミアム サポート スキル 状況 GitHub へのお問い合わせ 会社 GitHubについて GitHub を使用する理由 お客様の事例 ブログ ReadME プロジェクト キャリア ニュースルーム インクルージョン 社会的インパクト ショップ © 2026 GitHub, Inc. 規約 プライバシー (2024 年 2 月更新) 02/2024 サイトマップ Gitとは何ですか? Cookies を管理する 個人情報の共有を禁止する GitHub on LinkedIn Instagram GitHub on Instagram GitHub on YouTube GitHub on X TikTok GitHub on TikTok Twitch GitHub on Twitch GitHub’s organization on GitHub 日本語 English Português (Brasil) Español (América Latina) 日本語 한국어 You can’t perform that action at this time. | 2026-01-13T08:48:13 |
https://gg.forem.com/privacy#7-retention-of-personal-information | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:13 |
https://stormkit.forem.com/hunter_peter_63a5b4d6569d/comment/30onb | NandosMenus is your go-to destination for exploring the full range of delicio... - Stormkit Community 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 Stormkit Community Close Discussion on: S8:E9 - Diablo Immortal and Video Game Accessibility, The Challenges of Creating an AR System, The Recent Wave of Tech Layoffs, and More View post Collapse Expand Hunter Peter Hunter Peter Hunter Peter Follow Joined Aug 30, 2025 • Aug 30 '25 Dropdown menu Copy link Hide NandosMenus is your go-to destination for exploring the full range of delicious offerings from Nando’s, the globally loved restaurant chain famous for its flame-grilled PERi-PERi chicken. Whether you're planning your next meal or just curious about what's on the menu, Like comment: Like comment: 1 like Like Comment button Reply Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse 💎 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 Stormkit Community — The official hub for Stormkit users. Share what you're building, get support, and discuss the future of JavaScript app deployment 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 . Stormkit Community © 2016 - 2026. Ship faster, together Log in Create account | 2026-01-13T08:48:13 |
https://www.anthropic.com/legal/commercial-terms | Commercial Terms of Service \ Anthropic Skip to main content Skip to footer Research Economic Futures Commitments Learn News Try Claude Commercial Terms of Service Effective June 17, 2025 Previous Version Welcome to Anthropic! Before accessing our Services, please read these Commercial Terms of Service. These Commercial Terms of Service (“ Terms ”) are an agreement between Anthropic and you or the organization, company, or other entity that you represent (“ Customer ”). “ Anthropic ” means Anthropic Ireland, Limited if Customer resides in the European Economic Area (“ EEA ”), Switzerland or UK, and Anthropic, PBC if Customer resides anywhere else. They govern Customer’s use of Anthropic API keys and any other Anthropic offerings that references these Terms, as well as all related Anthropic tools, documentation and services (the “ Services ”). These Terms are effective on the earlier of the date that Customer first electronically consents to a version of these Terms and the date that Customer first accesses the Services (“ Effective Date ”). Please note : You may not enter into these Terms on behalf of an organization, company, or other entity unless you have the legal authority to bind that entity. Services under these Terms are not for consumer use. Our consumer offerings (e.g., Claude.ai) are governed by our Consumer Terms of Service instead. A. Services Overview. Subject to these Terms, Anthropic gives Customer permission to use the Services, including to power products and services Customer makes available to its own customers and end users (“ Users ”). Third Party Features. Customer may elect (in its sole discretion) to use features, services or other content made available by third parties to Customer through the Services (“ Third Party Features ”). Customer acknowledges and agrees that Third Party Features are not Services and, accordingly, Anthropic is not responsible for them. Feedback. If Customer provides (in its sole discretion) Anthropic with feedback regarding the Services, Anthropic may use that feedback at its own risk and without obligation to Customer. B. Customer Content As between the parties and to the extent permitted by applicable law, Anthropic agrees that Customer (a) retains all rights to its Inputs, and (b) owns its Outputs. Anthropic disclaims any rights it receives to the Customer Content under these Terms. Subject to Customer’s compliance with these Terms, Anthropic hereby assigns to Customer its right, title and interest (if any) in and to Outputs. Anthropic may not train models on Customer Content from Services. “ Inputs ” means submissions to the Services by Customer or its Users and “ Outputs ” means responses generated by the Services to Inputs (Inputs and Outputs together are “ Customer Content ”). C. Data Privacy Data submitted through the Services will be processed in accordance with the Anthropic Data Processing Addendum (“ DPA ”), which is incorporated into these Terms by reference. D. Trust and Safety; Restrictions Compliance. Each party will comply with all laws applicable to the provision (for Anthropic) and use (for Customer) of the Services, including any applicable data privacy laws. Policies and Service Terms. Customer and its Users may only use the Services in compliance with these Terms, including (a) the Usage Policy (“ Usage Policy ”, which was previously referred to as the Acceptable Use Policy), (b) our policy on the countries and regions Anthropic currently supports (“ Supported Regions Policy ”) and (c) our Service Specific Terms , each of which is incorporated by reference into these Terms. Customer must cooperate with reasonable requests for information from Anthropic to support compliance with its Usage Policy, including to verify Customer’s identity and use of the Services. Limitations of Outputs; Notice to Users. It is Customer’s responsibility to evaluate whether Outputs are appropriate for Customer’s use case, including where human review is appropriate, before using or sharing Outputs. Customer acknowledges, and must notify its Users, that factual assertions in Outputs should not be relied upon without independently checking their accuracy, as they may be false, incomplete, misleading or not reflective of recent events or information. Customer further acknowledges that Outputs may contain content inconsistent with Anthropic’s views. Use Restrictions. Customer may not and must not attempt to (a) access the Services to build a competing product or service, including to train competing AI models or resell the Services except as expressly approved by Anthropic; (b) reverse engineer or duplicate the Services; or (c) support any third party’s attempt at any of the conduct restricted in this sentence. Service Account. Customer is responsible for all activity under its account. Customer will promptly notify Anthropic if Customer believes the account it uses to access the Services has been compromised, or is subject to a denial of service or similar malicious attack that may negatively impact the Services. E. Confidentiality Confidential Information. The parties may share information that is identified as confidential, proprietary, or similar, or that a party would reasonably understand to be confidential or proprietary ( "Confidential Information" ). Customer Content is Customer’s Confidential Information. Obligations of Parties. The receiving party ( "Recipient" ) may only use Confidential Information of the disclosing party ( "Discloser" ) to exercise its rights and perform its obligations under these Terms. Recipient may only share Discloser’s Confidential Information to Recipient’s employees, agents, and advisors that have a need to know such Confidential Information and who are bound to obligations of confidentiality at least as protective as those provided in these Terms ( "Representatives" ). Recipient will protect Discloser’s Confidential Information from unauthorized use, access, or disclosure in the same manner as Recipient protects its own Confidential Information, and with no less than reasonable care. Recipient is responsible for all acts and omissions of its Representatives. Exclusions. Confidential Information excludes information that: (a) becomes publicly available through no fault of Recipient; (b) is obtained by Recipient from a third party without a breach of the third party’s obligations of confidentiality; or (c) is independently developed by Recipient without use of Confidential Information. Recipient may disclose Discloser’s Confidential Information to the extent it is required by law, or court or administrative order, and will, except where expressly prohibited, notify Discloser of the required disclosure promptly and fully cooperate with Discloser’s efforts to prevent or narrow the scope of disclosure. Destruction Request. Recipient will destroy Discloser’s Confidential Information promptly upon request, except where retained to comply with law or copies in Recipient’s automated back-up systems, which will remain subject to these obligations of confidentiality while maintained. F. Intellectual Property Except as expressly stated in these Terms, these Terms do not grant either party any rights to the other’s content or intellectual property, by implication or otherwise. G. Publicity Anthropic may use Customer’s name and logo to publicly identify Customer as a customer of the Services; provided that Customer may opt-out via this request form . Customer will consider in good faith any request by Anthropic to (1) provide a quote from a Customer executive regarding Customer’s motivation for using the Services that Anthropic may use publicly and (2) participate in a public co-marketing activity. H. Fees Payment of Fees. Customer is responsible for fees incurred by its account, at the rates specified on the Model Pricing Page , unless otherwise agreed by the parties. Anthropic may require prepayment for the Services in the form of credits or offer other types of credits, all of which are subject to Anthropic’s Supplemental Credits Terms . Anthropic may update the published rates, to be effective the earlier of 30 days after the updates are posted by Anthropic or Customer otherwise receives Notice. Taxes. Fees do not include any taxes, duties, or assessments that may be owed by Customer for use of the Services (" Taxes "), unless otherwise specified in the applicable invoice. Customer is responsible for remitting any necessary withholding Taxes to the relevant authority on a timely basis and providing Anthropic with evidence of the same upon request. Where law provides for the reduction or elimination of withholding taxes, including via tax treaty, the parties will collaborate in good faith to do so. For clarity, Customer must pay Anthropic the amount (" Gross-up Payment ") that will ensure that Anthropic receives the same total amount that it would have received if no such withholding or reduction by Customer had been required (taking into account any and all applicable Taxes (including any Taxes imposed on the Gross-up Payment)). Billing. Failure to pay Anthropic all amounts owed when due may result in suspension or termination of Customer’s access to the Services. Anthropic reserves any other rights of collection it may have. I. Termination and Suspension Term. These Terms start on the Effective Date and continue until terminated (the “ Term ”). Termination. Each party may terminate these Terms at any time for convenience with Notice, except Anthropic must provide 30 days prior Notice. Either party may terminate these Terms for the other party’s material breach by providing 30 days prior Notice detailing the nature of the breach unless cured within that time. Anthropic may terminate these Terms immediately with Notice if Anthropic reasonably believes or determines that Anthropic’s provision of the Services to Customer is prohibited by applicable law. Suspension. Anthropic may suspend Customer’s access to any portion or all of the Services if: (a) Anthropic reasonably believes or determines that (i) there is a risk to or attack on any of the Services; (ii) Customer or any User is using the Services in violation of Sections D.1 (Compliance), D.2 (Policies and Service Terms) or D.4 (Use Restrictions); or (iii) Anthropic’s provision of the Services to Customer is prohibited by applicable law or would result in a material increase in the cost of providing the Services; or (b) any vendor suspends or terminates Anthropic’s use of any third-party services or products required to enable Customer to access the Services (each, a “ Service Suspension ”). Anthropic will use reasonable efforts to provide written notice of any Service Suspension to Customer, and resume providing access to the Services, as soon as reasonably possible after the event giving rise to the Service Suspension is cured, where curable. Anthropic will have no liability for any damage, liabilities, losses (including any loss of data or profits), or any other consequences that Customer may incur because of a Service Suspension. Effect of Termination. Upon termination, Customer may no longer access the Services. The following provisions will survive termination or expiration of these Terms: (a) Sections E (Confidentiality), G (Publicity), H (Fees), I (Termination and Suspension), J (Disputes), K (Indemnification), L.2 (Disclaimer of Warranties), L.3 (Limits on Liability), and M (Miscellaneous); (b) any provision or condition that must survive to fulfill its essential purpose. J. Disputes Disputes. In the event of a dispute, claim or controversy relating to these Terms (“ Dispute ”), the parties will first attempt in good faith to informally resolve the matter. The party raising the Dispute must notify the other party (“ Dispute Notice ”). The other party will respond to the Dispute Notice in a timely manner. If the parties have not resolved the dispute within 45 days of delivery of the Dispute Notice, either party may seek to resolve the dispute through arbitration as stated in Section J.2 (Arbitration). Arbitration. Any Dispute will be determined in English by final, binding arbitration according to the region-specific processes below. Judgment on any award issued through the arbitration process in this Section J.2 (Arbitration) may be entered in any court having jurisdiction. EACH PARTY AGREES THEY ARE WAIVING THE RIGHT TO A TRIAL BY JURY, AND THE RIGHT TO JOIN AND PARTICIPATE IN A CLASS ACTION, TO THE FULLEST EXTENT PERMITTED UNDER THE LAW IN CONNECTION WITH THESE TERMS. For Customers residing in the EEA, Switzerland or UK, Disputes will be determined by a sole arbitrator in Dublin, Ireland pursuant the UNCITRAL Arbitration Rules as at present in force. The appointing authority shall be the President for the time being of the Law Society of Ireland. For Customers residing anywhere else, Disputes will be determined by a sole arbitrator in San Francisco, CA pursuant to the Comprehensive Arbitration Rules and Procedures of Judicial Arbitration and Mediation Services, Inc. Equitable Relief. This Section J (Disputes) does not limit either party from seeking equitable relief. K. Indemnification Claims Against Customer. Anthropic will defend Customer and its personnel, successors, and assigns from and against any Customer Claim (as defined below) and indemnify them for any judgment that a court of competent jurisdiction grants a third party on such Customer Claim or that an arbitrator awards a third party under any Anthropic-approved settlement of such Customer Claim. " Customer Claim " means a third-party claim, suit, or proceeding alleging that Customer’s paid use of the Services (which includes data Anthropic has used to train a model that is part of the Services) in accordance with these Terms or Outputs generated through such authorized use violates any third-party intellectual property right. Claims Against Anthropic. Customer will defend Anthropic and its personnel, successors, and assigns from and against any Anthropic Claim (as defined below) and indemnify them for any judgment that a court of competent jurisdiction grants a third party on such Anthropic Claim or that an arbitrator awards a third party under any Customer-approved settlement of such Anthropic Claim. “ Anthropic Claim ” means any third-party claim, suit, or proceeding related to Customer’s or its Users’ (a) Inputs or other data provided by Customer, or (b) use of the Services in violation of the Usage Policy, the Service Specific Terms, or Section D.4 (Use Restrictions). Anthropic Claims and Customer Claims are each a “ Claim ”, as applicable. Exclusions. Neither party’s defense or indemnification obligations will apply to the extent the underlying allegation arises from the indemnified party’s fraud, willful misconduct, violations of law, or breach of the Agreement. Additionally, Anthropic’s defense and indemnification obligations will not apply to the extent the Customer Claim arises from: (a) modifications made by Customer to the Services or Outputs; (b) the combination of the Services or Outputs with technology or content not provided by Anthropic; (c) Inputs or other data provided by Customer; (d) use of the Services or Outputs in a manner that Customer knows or reasonably should know violates or infringes the rights of others; (e) the practice of a patented invention contained in an Output; or (f) an alleged violation of trademark based on use of an Output in trade or commerce. Process. The indemnified party must promptly notify the indemnifying party of the relevant Claim, and will reasonably cooperate in the defense. The indemnifying party will retain the right to control the defense of any such Claim, including the selection of counsel, the strategy and course of any litigation or appeals, and any negotiations or settlement or compromise, except that the indemnified party will have the right, not to be exercised unreasonably, to reject any settlement or compromise that requires that it admit wrongdoing or liability or subjects it to an ongoing affirmative obligation. The indemnifying party’s obligations will be excused if either of the following materially prejudices the defense: (a) failure of the indemnified party to provide prompt notice of the Claim; or (b) failure to reasonably cooperate in the defense. Sole Remedy. To the extent covered under this Section K (Indemnification), indemnification is each party’s sole and exclusive remedy under these Terms for any third-party claims. L. Warranties and Limits on Liability Warranties. Each party represents and warrants that (a) it is authorized to enter into these Terms; and (b) entering into and performing these Terms will not violate any of its corporate rules, if applicable. Customer further represents and warrants that it has all rights and permissions required to submit Inputs to the Services. Disclaimer of Warranties. EXCEPT TO THE EXTENT EXPRESSLY PROVIDED FOR IN THESE TERMS, TO THE MAXIMUM EXTENT PERMITTED UNDER LAW (A) THE SERVICES AND OUTPUTS ARE PROVIDED "AS IS" AND "AS AVAILABLE" WITHOUT WARRANTY OF ANY KIND; AND (B) ANTHROPIC MAKES NO WARRANTIES, EXPRESS OR IMPLIED, RELATING TO THIRD-PARTY PRODUCTS OR SERVICES, INCLUDING THIRD-PARTY INTERFACES. ANTHROPIC EXPRESSLY DISCLAIMS ALL IMPLIED WARRANTIES, INCLUDING WARRANTIES OF MERCHANTABILITY, NON-INFRINGEMENT, AND FITNESS FOR A PARTICULAR PURPOSE, AS WELL AS ANY IMPLIED WARRANTY ARISING FROM STATUTE, COURSE OF DEALING OR PERFORMANCE, OR TRADE USE. ANTHROPIC DOES NOT WARRANT, AND DISCLAIMS THAT, THE SERVICES OR OUTPUTS ARE ACCURATE, COMPLETE OR ERROR-FREE OR THAT THEIR USE WILL BE UNINTERRUPTED. REFERENCES TO A THIRD PARTY IN THE OUTPUTS MAY NOT MEAN THEY ENDORSE OR ARE OTHERWISE WORKING WITH ANTHROPIC. Limits on Liability. Except as stated in Section L.3.b, the liability of each party, and its affiliates and licensors, for any damages arising out of or related to these Terms (i) excludes damages that are consequential, incidental, special, indirect, or exemplary damages, including lost profits, business, contracts, revenue, goodwill, production, anticipated savings, or data, and costs of procurement of substitute goods or services and (ii) is limited to Fees paid by Customer for the Services in the previous 12 months. The limitations of liability in this Section L.3 (Limits on Liability) do not apply to either party’s obligations under Section K (Indemnification). THE LIMITATIONS OF LIABILITY IN THIS SECTION L.3 (LIMITS ON LIABILITY) APPLY: (I) TO THE MAXIMUM EXTENT PERMITTED BY APPLICABLE LAW; (II) TO LIABILITY IN TORT, INCLUDING FOR NEGLIGENCE; (III) REGARDLESS OF THE FORM OF ACTION, WHETHER IN CONTRACT, TORT, STRICT PRODUCT LIABILITY, OR OTHERWISE; (IV) EVEN IF THE BREACHING PARTY IS ADVISED IN ADVANCE OF THE POSSIBILITY OF THE DAMAGES IN QUESTION AND EVEN IF SUCH DAMAGES WERE FORESEEABLE; AND (E) EVEN IF THE INJURED PARTY'S REMEDIES FAIL OF THEIR ESSENTIAL PURPOSE. The parties agree that they have entered into these Terms in reliance on the terms of this Section L.3 (Limits on Liability) and those terms form an essential basis of the bargain between the parties. M. Miscellaneous Notices. All notices, demands, waivers, and other communications under these Terms (each, a " Notice ") must be in writing. Except for notices related to demands to arbitrate or where equitable relief is sought, any Notices provided under these Terms may be delivered electronically to the address provided to Anthropic if to Customer; and to notices@anthropic.com if to Anthropic. Notice is effective only: (a) upon receipt by the receiving party, and (b) if the party giving the Notice has complied with all requirements of this Section M.1 (Notices). Electronic Communications. Customer agrees to receive electronic communications from Anthropic based on Customer’s use of the Services and related to these Terms. Except where prohibited by applicable law, electronic communications may be sent via email, through the Services or Customer’s management dashboard, or posted on Anthropic’s website. Anthropic may also provide electronic communications via text or SMS about Customer’s use of the Services or as Customer otherwise requests from Anthropic. If Customer wishes to stop receiving such messages, Customer may request it from Anthropic or respond to any such texts with “STOP”. Amendment and Modification. Anthropic may update these Terms at any time, to be effective 30 days after the updates are posted by Anthropic or Customer otherwise receives Notice, except that updates made in response to changes to law or regulation take effect immediately upon posting or Notice. Changes will not apply retroactively. No other amendment to or modification of these Terms is effective unless it is in writing and signed by both parties. Failure to exercise or delay in exercising any rights or remedies arising from these Terms does not and will not be construed as a waiver; and no single or partial exercise of any right or remedy will preclude future exercise of such right or remedy. Assignment and Delegation. Neither party may assign its rights or delegate its obligations under these Terms without the other party’s prior written consent, except that Anthropic may assign its rights and delegate its obligations to an affiliate or as part of a sale of all or substantially all its business. Any purported assignment or delegation is null and void except as permitted above. No permitted assignment or delegation will relieve the contracting party or assignees of their obligations under these Terms. These Terms will bind and inure to the benefit of the parties and their respective permitted successors and assigns. Severability. If a provision of these Terms is invalid, illegal, or unenforceable in any jurisdiction, such invalidity, illegality, or unenforceability will neither affect any other term or provision of these Terms nor invalidate or render unenforceable such term or provision in any other jurisdiction. Upon such determination that any term or other provision is invalid, illegal, or unenforceable, the parties will negotiate in good faith to modify these Terms to reflect the parties’ original intent as closely as possible. Interpretation. These Terms will be construed mutually, with neither party considered the drafter. Document and section titles are provided for convenience and will not be interpreted. The phrases “for example” or “including” or “or” are not limiting. Governing Law; Venue. These Terms are governed by and construed in accordance with the Governing Laws, without giving effect to any choice of law provision. “ Governing Laws ” means (i) for Customers in the EEA, Switzerland, or UK, the Laws of Ireland; and (ii) for all other Customers, the laws of the State of California. Any suits, actions, or proceedings related to these Terms that are not required to be resolved via arbitration pursuant to Section J (Disputes) will be instituted exclusively in the Venue, and each party irrevocably submits to their exclusive jurisdiction. “ Venue ” means (i) for Customers in the EEA, Switzerland or UK, the courts of Ireland; and (ii) for all other Customers, federal or state courts located in California. Export and Sanctions. Customer may not export or provide access to the Services to persons or entities or into countries or for uses where it is prohibited under U.S. or other applicable international law. Without limiting the foregoing sentence, this restriction applies (a) to countries where export from the US or into such country would be prohibited or illegal without first obtaining the appropriate license, and (b) to persons, entities, or countries covered by U.S. sanctions. Integration. These Terms (including the Usage Policy , Supported Regions Policy , Service Specific Terms , DPA , Model Pricing Page and other documents or terms that are incorporated by reference by these Terms) constitute the parties’ entire understanding as to the Services’ provision and use. These Terms supersede all other understandings or agreements between the parties regarding the Services. Force Majeure. Neither party will be liable for failure or delay in performance to the extent caused by circumstances beyond its reasonable control. Products Claude Claude Code Claude in Chrome Claude in Excel Claude in Slack Skills Max plan Team plan Enterprise plan Download app Pricing Log in to Claude Models Opus Sonnet Haiku Solutions AI agents Code modernization Coding Customer support Education Financial services Government Healthcare Life sciences Nonprofits Claude Developer Platform Overview Developer docs Pricing Regional Compliance Amazon Bedrock Google Cloud’s Vertex AI Console login Learn Blog Claude partner network Connectors Courses Customer stories Engineering at Anthropic Events Powered by Claude Service partners Startups program Tutorials Use cases Company Anthropic Careers Economic Futures Research News Responsible Scaling Policy Security and compliance Transparency Help and security Availability Status Support center Terms and policies Privacy policy Consumer health data privacy policy Responsible disclosure policy Terms of service: Commercial Terms of service: Consumer Usage policy © 2025 Anthropic PBC | 2026-01-13T08:48:13 |
https://apisyouwonthate.com/blog/contract-testing-apis-laravel-php-openapi/ | Contract Testing a Laravel API with OpenAPI Newsletter Articles Books Podcast Membership Sign in Subscribe Contract Testing a Laravel API with OpenAPI Phil Sturgeon 04 Feb 2022 — 6 min read Your API does a bunch of great stuff, and your OpenAPI document tells everyone about all the great stuff that your API can do, but making sure those two sources of truth agree can be a bit of a struggle at first. Whether you followed the API design-first workflow and want the developers to stick to your design, or whether you are trying to retroactively make documentation for an existing API and want to make sure its accurate, you'll want confidence the code and description match. Then over time, there's the chance for the API or OpenAPI to diverge, with a change being made in the code and not in the docs, or vice versa. Don't worry, this is a well solved problem. There are various dedicated tools dedicated which we wrote about way back in Keeping Documentation Honest , but these days we love the simplicity of adding some OpenAPI-based contract testing assertions to your existing API test suite. Don't have a test suite? Well, never a better time to start. Writing tests sounds scary to some, but seeing as there are a lot of assertions already written into your OpenAPI document, you will have some basic testing done rather quickly. There are infinite tools for infinite languages and frameworks, but today we're going to focus on this combination: Laravel PHP - A ridiculously popular PHP framework. Pest - Elegant PHP testing tool that feels like Jest, RSpec, etc. Spectator - Light-weight OpenAPI testing assertions for Laravel. This article will assume you're familiar with Laravel PHP, and if you're not there are many good articles out there about getting started. Their documentation is fantastic too. The concepts of this will still be interesting to many who are not familiar or in a rush to learn right now. So, you've already got Laravel running, and you want a test suite. Pest is great, it reminds me of RSpec, Jest and various other tools that I loved using for my last 8 years in Ruby/Go/Node/TypeScript land. I was a little worried it would be confusing trying to get Laravel and Pest to play ball, but Pest has a Laravel plugin which takes care of that. composer require pestphp/pest-plugin-laravel --dev php artisan pest:install Laravel lets people generate various bits code just like Rails generators, so you can generate a Pest test. php artisan pest:test OrganizationsTest This will create a very basic test in tests/Feature/OrganizationsTest.php that looks like this: <?php it('has organizations page', function () { $response = $this->get('/organizations'); $response->assertStatus(200); }); Pest is using the HTTP Tests functionality in Laravel to ping the /organizations endpoint, and then make sure you get a 200 back. This HTTP Test functionality will simulate a proper network interaction, meaning the test is more realistic than unit testing your controllers. This test is not talking about code, it's testing HTTP interactions. Perfect. Trying to run this test with php artisan test or ./vendor/bin/pest will possibly work if you've got your database server running directly on your machine, but if you're using docker you will probably get failures at this point. Sail is another Laravel tool which can help interface with Laravel inside docker, so tests can be run with sail artisan test instead. Either way, your ping-tests should be passing now. Let's make the test a bit more useful by creating some data before the tests are run. Afterall, we wont be able to contract test the data if there... isn't any data. <?php use App\Models\Organization; use Illuminate\Foundation\Testing\RefreshDatabase; uses(RefreshDatabase::class); beforeAll(function () { $organization = Organization::factory()->create(); $this->uuid = $organization->organization_uuid; }); it('returns a 404 for invalid record', function () { $non_existent_uuid = "53d4faeb-e046-4ab1-91ff-6b6e35c4c052"; $this ->getJson("/orgs/{$non_existent_uuid}") ->assertStatus(404); }); it('returns a valid record', function () { $this ->getJson("/orgs/{$this->uuid}") ->assertStatus(200); }); Run sail artisan test and hopefully this is working. It might fail complaining you've not got any factories set up, which are a handy feature for setting up fake data to be tested with. Head over to the Laravel Documentation to learn how to set up model factories if you've not got them already, this article is getting lengthy and we need to get onto the contract testing bit. Great. But we're still just doing pings on these endpoints. Time to give contract testing a go! Grab some OpenAPI If you have an OpenAPI document already, you can skip this step. If you don't have an OpenAPI document, make one with an editor like Stoplight Studio or Postman , or you can nab an example document from APIs Guru's OpenAPI Directory to play with. Alternatively, shove this into a file called openapi.yaml . openapi: "3.0.3" info: title: Example API version: "1.0" paths: /orgs/{id}: get: description: Get an organization parameters: - name: id in: path required: true schema: type: string format: uuid responses: 200: description: OK content: application/json: schema: type: object properties: id: type: string format: uuid Using Spectator Armed with some OpenAPI we can now try installing Spectator , a tool which will make Laravel's HTTP Tests aware of OpenAPI to help sniff out mismatches. composer require hotmeteor/spectator --dev php artisan vendor:publish --provider="Spectator\SpectatorServiceProvider" Now let's tweak our tests: <?php use App\Models\Organization; use Illuminate\Foundation\Testing\RefreshDatabase; use Spectator\Spectator; uses(RefreshDatabase::class); beforeAll(function () { $organization = Organization::factory()->create(); $this->uuid = $organization->organization_uuid; // Add Spectator 👇 Spectator::using('openapi.yaml'); }); it('returns a 404 for invalid record', function () { $non_existent_uuid = "53d4faeb-e046-4ab1-91ff-6b6e35c4c052"; $this ->getJson("/orgs/{$non_existent_uuid}") ->assertValidRequest() # 👈 new ->assertValidResponse(404); # 👈 new }); it('returns a valid record', function () { $this ->getJson("/orgs/{$this->uuid}") ->assertValidRequest() # 👈 new ->assertValidResponse(200); # 👈 new }); Those new assertions are being made available to Pest and the Laravel HTTP Test logic by Spectator, which is looking at the openapi.yaml and then figuring out which "path" to compare to the URL in getJson(). Very smart, and it immediately pointed out that my OpenAPI was missing definitions for how the 404 errors should look, along with a few other mistakes in my OpenAPI. Here's an example of the API response mismatching data typed for a property defined in OpenAPI. I've added newProperty to OpenAPI but forgot to add it to the HTTP Resource (what Laravel calls their serializer class). type: object required: - id - name - orders - newProperty properties: newProperty: type: string # existing properties ... Now when the test suite is run, Spectacle is going to throw up red flags. Done! Docs and code will never be out of sync again. There are a few quirks to watch out for with Spectacle, like expecting my path parameters to have a very specific name, but changing those is fairly low stakes and will not damage the quality of your OpenAPI. Summary What I love the most about this simplicity is that it can integrate into an existing applications test suite, and you definitely want to have a test suite. It's not a brand new second test suite, or some hosted tool that is hard to keep up with changes in PRs flagging the "one true cloud test suite" as broken... it's just a few lines of assertions in a standard PHPUnit, Pest, etc. test suite, and run on whatever existing CI/CD you're already using. Other folks use Dredd , which is a whole other tool to maintain with its own database seeding and state management - no handy DB resets like in Laravel/Pest. It's not able to check multiple responses (like 404's) so you're just kinda hoping those are correct when using Dredd. Then there's Prism , which is good for contract testing real traffic and spotting issues, but that's not something you can control from code. There's loads of other fantastic tools on OpenAPI.Tools for contract testing, and pretty much any JSON Schema validator can be used now that JSON Schema and OpenAPI Schemas are actually the same thing , so if you've not got something specifically OpenAPI orientated then hack one together yourself, and maybe release that to make something as simple as Spectator! Read more Design First, AI Never In the age of vibe-coding, how can we convince teams to invest in design before building APIs? Also in this newsletter: OpenAPI 3.3, Reddit's microservices architecture, an update to Speakeasy for OpenApi 3.2.0, and more! By Alexander Karan 15 Dec 2025 Zero-Downtime Migration from Laravel Vapor to Laravel Cloud Move your Laravel API from Vapor to Cloud in phases, without making a complete hash of it and wishing you never bothered. By Phil Sturgeon 08 Dec 2025 NestJS: Bad, or Really Bad? 😉 In this newsletter: the Resty library for APIs in Golang, a new Bruno release, an interview with Kin Lane, and API Schema Automation for devs By Alexander Karan 01 Dec 2025 Building a Sustainable Future in APIs with Kin Lane Kin Lane drops by to talk to Phil Sturgeon about his new startup, the changing landscape of API tech, why REST fundamentals are still important, and building sustainable API tools. By Mike Bifulco 01 Dec 2025 Sign up About Powered by Ghost Are you ready to build APIs You Won't Hate? Join now to subscribe to our twice-monthly newsletter, access to our Slack Channel, and other subscriber benefits. Unsubscribe any time. Subscribe | 2026-01-13T08:48:13 |
https://core.forem.com/t/programming/page/14 | Programming Page 14 - Forem Core 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 Forem Core Close Programming Follow Hide The magic behind computers. 💻 🪄 Create Post Older #programming posts 11 12 13 14 15 16 17 18 19 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:13 |
https://gg.forem.com/privacy#c-information-collected-from-other-sources | Privacy Policy - Gamers Forem 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 Gamers Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy. They're called "defined terms," and we use them so that we don't have to repeat the same language again and again. They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws. 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 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 Gamers Forem — An inclusive community for gaming enthusiasts 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 . Gamers Forem © 2025 - 2026. We're a place where gamers unite, level up, and share epic adventures. Log in Create account | 2026-01-13T08:48:13 |
https://dev.to/porus09/building-vtracer-day-1-my-first-java-agent-adventure-with-java-21-4fjp#comments | Building vtracer: Day 1 – My First Java Agent Adventure with Java 21 - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Abhi Posted on Dec 16, 2025 Building vtracer: Day 1 – My First Java Agent Adventure with Java 21 # webdev # programming # tutorial # java Hey Dev.to community! 👋 I'm Abhishek, a Java enthusiast diving deep into the JVM internals. I'm building vtracer – a low-overhead JVM agent for runtime tracing and virtual thread pinning detection. This is Day 1 of my journey. Today, I built the foundation: a simple Java agent that loads and prints a message. Let's dive in! Why Java Agents? The Magic Behind the JVM Java agents are powerful tools that let you instrument code at runtime using the Instrumentation API . They can modify bytecode, add logging, monitor performance, or even implement AOP – all without changing the original code. Agents load in two ways: Static : -javaagent at startup Dynamic : Attach to running JVM Today, we focused on static attach – the basics. Step-by-Step: My First Premain Agent Maven Project Setup Created a simple Maven project with Java 21. pom.xml with Agent Manifest <build> <plugins> <plugin> <groupId> org.apache.maven.plugins </groupId> <artifactId> maven-jar-plugin </artifactId> <configuration> <archive> <manifestEntries> <Premain-Class> com.example.vtracer.Agent </Premain-Class> <Can-Redefine-Classes> true </Can-Redefine-Classes> <Can-Retransform-Classes> true </Can-Retransform-Classes> </manifestEntries> </archive> </configuration> </plugin> </plugins> </build> Enter fullscreen mode Exit fullscreen mode Agent Class package com.example.vtracer ; import java.lang.instrument.Instrumentation ; public class Agent { public static void premain ( String agentArgs , Instrumentation inst ) { System . out . println ( "[vtracer] Agent loaded successfully via premain" ); System . out . println ( "[vtracer] Instrumentation: " + inst ); System . out . println ( "[vtracer] Ready for instrumentation – Day 1 complete!" ); } } Enter fullscreen mode Exit fullscreen mode Build & Run mvn clean package java -javaagent :target/vtracer-1.0.jar TestApp Enter fullscreen mode Exit fullscreen mode Output: [vtracer] Agent loaded successfully via premain [vtracer] Instrumentation instance: sun.instrument.InstrumentationImpl@... [vtracer] Ready for instrumentation – Day 1 complete! Test app running... Test app finished Enter fullscreen mode Exit fullscreen mode What I Learned Today premain runs before main Manifest entries are mandatory Instrumentation object gives power to transform classes This is just the beginning – next, ByteBuddy for method timing! What's Next? Day 2: Method entry/exit timing with ByteBuddy. Follow my journey on GitHub: https://github.com/abhishek-mule/vtracer Star ⭐ if you're excited about JVM internals! java #jvm #java21 #agents #bytecode Thanks for reading! Let's build cool stuff together. 🚀 — Abhishek Mule (Comment below if you're building something similar!) Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Abhi Follow More than human Joined Nov 26, 2025 More from Abhi I Got Tired of Guessing JVM Performance — So I Built a Java Agent From Scratch 🚀 # webdev # programming # tutorial # productivity I Was Tired of Manual Video Editing — So I Built OmniVid Lite # webdev # ai # programming # javascript 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:13 |
https://www.algolia.com/products/ai/agent-studio?utm_source=devto&utm_medium=referral | Agent Studio Niket --> Deutsch English français News: Meet us at NRF 2026 Learn more Company Partners Support Login Logout Algolia mark blue Algolia logo blue Products AI Search & Retrieval Overview Search Show users what they're looking for with AI-driven resuts. Search Show users what they're looking for with AI-driven resuts. Recommendations Use behavioral cues to drive higher engagement. Recommendations Use behavioral cues to drive higher engagement. Personalization Show each user what they need across their journey. Personalization Show each user what they need across their journey. Analytics All your insights in one dashboard. Analytics All your insights in one dashboard. Browse Move customers down the funnel with curated category pages. Browse Move customers down the funnel with curated category pages. Artificial Intelligence OVERVIEW Agent Studio Create, test, and deploy AI agents, fast. Agent Studio Create, test, and deploy AI agents, fast. Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Generative Experiences Build conversational solutions with retrieval augmented generation (RAG). Ask AI Deliver conversational answers—right from your search bar. Ask AI Deliver conversational answers—right from your search bar. MCP Server Search, analyze, or monitor your index within your agentic workflow. MCP Server Search, analyze, or monitor your index within your agentic workflow. Intelligent Data Kit Overview Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Enrichment Modify, enhance, or restructure data as it’s indexed for search. Data Transformation Streamline data preparation and enhance data quality. Data Transformation Streamline data preparation and enhance data quality. Integrations Connect to your existing stack via pre-built libraries and APIs. Integrations Connect to your existing stack via pre-built libraries and APIs. Infrastructure Overview Data Centers Choose from 70+ data centers across 17 regions. Data Centers Choose from 70+ data centers across 17 regions. Security & Compliance Built for peace of mind. Security & Compliance Built for peace of mind. Solutions Industries SEE ALL Ecommerce Ecommerce B2B Commerce B2B Commerce Fashion Fashion Grocery Grocery Media Media Marketplaces Marketplaces SaaS SaaS Higher Education Higher Education Use Cases SEE ALL Documentation search Documentation search Enterprise search Enterprise search Headless commerce Headless commerce Image search Image search Mobile & App search Mobile & App search Retail Media Network Retail Media Network Site search Site search Visual search Visual search Voice search Voice search Departments Digital Experience Digital Experience Ecommerce Ecommerce Engineering Engineering Merchandising Merchandising Product Management Product Management Pricing Developers Get started Developer Hub Developer Hub Documentation Documentation Integrations Integrations UI Components UI Components Autocomplete Autocomplete Resources Code Exchange Code Exchange Engineering Blog Engineering Blog MCP MCP Discord Discord Webinars & Events Webinars & Events Quick Links Quick Start Guide Quick Start Guide For Open Source For Open Source API Status API Status Support Support Resources Discover Algolia Blog Algolia Blog Resource Center Resource Center Customer Stories Customer Stories Webinars & Events Webinars & Events Newsroom Newsroom Customers Customer Hub Customer Hub What's New What's New Knowledge Base Knowledge Base Documentation Documentation Algolia Academy Algolia Academy Professional Services Professional Services Quick Access Company Partners Support Login Logout Request demo Get started Search Algolia Close Request demo Get started Other Types Filter --> Clear All Filters Filters Looking for our logo? We got you covered! Brand guidelines Download logo pack Agent Studio Build faster with Agent Studio Now in beta: A new way to create, test, and deploy AI agents Get a demo Sign up for beta What is Agent Studio? Agent Studio is a framework for developers that accelerates the creation of AI agents. Built on Algolia’s AI-first infrastructure, it gives you the power to combine large language models (LLMs) with real-time search, behavioral data, and configurable logic. Launch personalized, brand-centric AI assistants that deliver a powerful user experience immersed in your product. More than 18,000 customers in 150+ countries trust Algolia See all customer stories Composable by design Combining industry-leading LLMs with the precision of Algolia Retrieval, Agent Studio lets you orchestrate smarter AI experiences that reflect your brand and business logic. Build with composable building blocks Configure flexible workflows using developer APIs and LangChain components. Define prompts, permissions, and LLMs through a self-service dashboard or code. Plug in your own LLM Use the model that fits your needs — OpenAI at launch, with more coming soon — no vendor lock-in. You control your infrastructure and costs. Search-native retrieval Powered by Algolia’s 1.75 trillion yearly searches, Agent Studio gives your agents the same instant access to personalization, business logic, and index control trusted by the world’s top brands. Integrated tooling Bring your own tools or use Algolia’s analytics, recommendation engines, and customer data—all with the security and scale of our platform. Benefits for developers and product teams Built for developers who want to move fast, Agent Studio provides full control while removing the need to build infrastructure from scratch. Launch faster Go from idea to production in weeks, not months. Keep control Own your data, logic, and LLM integrations. Adapt quickly Iterate with built-in observability and prompt management. Scale securely Define permissions, avoid shadow data, and maintain brand safety. Cut complexity, not performance We handle the orchestration, AI engineering, and cloud infrastructure setup—at no extra GenAI cost to you. Use any LLM Bring-your-own-LLM flexibility with no vendor lock-in and transparent pricing. Real-world use cases From retrieval-powered chatbots to personalized product assistants, Agent Studio supports agentic experiences across industries. Ecommerce 0 Shopping assistants, size & fit recommenders, cart recovery agents. Learn more Media 0 Content recommenders, editorial copilots, research assistants. Learn more Enterprise 0 Internal knowledge bots, support agents, document Q&A tools. Learn more SaaS 0 In-product guidance, onboarding copilots, troubleshooting flows. Learn more Sign Up for Early Access Be among the first developers to explore the future of AI-powered applications with Algolia. To learn more about how to use the Agent Studio, check out Algolia's documentation or join our Discord community. * First name * Last name * Email * Company * Country Yes, I'd like to receive more information on Algolia products, events and promotions via email. Refer to Algolia's Privacy Policy for more information on how we use and protect your data. By submitting this form, I understand that I may receive email communication about Algolia products, events and promotion according to Algolia's Privacy Policy . (You can unsubscribe at anytime here ) Submit Success! Someone will be in touch with you soon. Algolia Agent Studio FAQs Is Agent Studio available now? 0 Agent Studio is now available in beta. Sign up to try it today, or connect with our team to learn more. What makes Agent Studio different from other agentic solutions? 0 Agent Studio is the only agent framework built on ten years of search expertise and leadership, combining real-time retrieval with customizable orchestration, LLM flexibility, and developer-first tools. How are you grounding your agentic experiences in real-time, accurate data? 0 While many AI solutions can be helpful, they can "hallucinate" answers. Agent Studio prevents hallucinations because it uses your up-to-the-minute data. It retrieves information from your structured search index to augment its generated responses with that data, an approach appropriately called Retrieval Augmented Generation, or RAG. Is Agent Studio designed for my industry? 0 Yes. Agent Studio supports use cases across every industry—from SaaS and media to enterprise search and beyond—making it adaptable to virtually any AI agent need. Which LLMs are supported? 0 Algolia supports OpenAI, Azure OpenAI, Google Gemini, and OpenAI-compatible LLMs. See the complete list of supported models in our docs . Can I use non-product data in agents? 0 Yes. Agents can access any data indexed in Algolia, including help docs, guides, and more. Does it store chat data? 0 No server-side chat history is stored during beta. How does Agent Studio use my data? 0 Agent Studio uses your first-party data—such as search interactions, transaction history, and user behavior—to generate highly relevant, brand-specific responses. Unlike generic agent frameworks, it integrates this data directly from your Algolia indices, giving your agents context-aware intelligence out of the box. Enable anyone to build great Search & Discovery Get a demo Start free Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Developers Developer Hub Documentation Integrations Engineering blog Discord community API status DocSearch For Open Source Live demos GDPR AI Act Industries Overview B2C ecommerce B2B ecommerce Marketplaces SaaS Media Startups Fashion Tools Search Grader Ecommerce Search Audit Products Overview AI Search AI Browse AI Recommendations Ask AI Intelligent Data Kit Use cases Overview Enterprise search Headless commerce Mobile & app search Voice search Image search OEM Site search Integrations Salesforce Commerce Cloud B2C Shopify Adobe Commerce Netlify Commercetools BigCommerce Distributed & secure Global infrastructure Security & compliance Azure AWS Company About Algolia Careers Newsroom Events Leadership Social impact Contact us Anti-Modern Slavery Statement Awards Social networks Algolia mark white ©2026 Algolia - All rights reserved. Cookie settings Trust Center Privacy Policy Terms of service Acceptable Use Policy ✕ Hi there 👋 Need assistance? Click here to allow functional cookies to launch our chat agent. 1 | 2026-01-13T08:48:13 |
https://twitter.com/stackoverflow | 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-13T08:48:13 |
https://apisyouwonthate.com/author/phil/ | Phil Sturgeon - APIs You Won't Hate Newsletter Articles Books Podcast Membership Sign in Subscribe Phil Sturgeon Co-founder of APIs You Won't Hate, consultant/writer on all things API, working on green/climate tech, and restoring nautral habitats as co-founder of @ProtectEarthUK. Bath, UK php Zero-Downtime Migration from Laravel Vapor to Laravel Cloud Move your Laravel API from Vapor to Cloud in phases, without making a complete hash of it and wishing you never bothered. By Phil Sturgeon 08 Dec 2025 Automatically Upgrade to OpenAPI v3.2 Upgrade old OpenAPI/Swagger documents to the latest and greatest OAS 3.2 with ease. By Phil Sturgeon 13 Oct 2025 openapi OpenAPI Format: A GUI for Overlays Overlays can be tricky to wrap your head around, but this handy GUI can help it all make sense. By Phil Sturgeon 10 Oct 2025 geojson Stream GeoJSON in a HTTP/REST API Once you've learned the basics of JSON Streaming in APIs, it starts to become a whole lot more interesting for a whole lot more use-cases. By Phil Sturgeon 05 Oct 2025 streaming Streaming Data with REST APIs Are you forcing API clients to wait for every single byte of massive JSON collections to be sent from the server before letting them render data that's ready already? By Phil Sturgeon 12 Sep 2025 openapi JSON Streaming in OpenAPI v3.2 Learn how OpenAPI v3.2 helps describe JSON Streaming, and in the process find out more about what the heck JSON streaming even is. By Phil Sturgeon 08 Sep 2025 api-design Goodbye Apiary.io, You'll Be Missed Today we say farewell to a legend in the API documentation space as O.G. API design-first solution Apiary.io shuts its doors. By Phil Sturgeon 04 Aug 2025 api-tools Generating OpenAPI docs for Java with Spring Boot Learn how to export OpenAPI from your Spring Boot application with Springdoc. By Phil Sturgeon, Alexander Karan 04 Aug 2025 documentation The 5 Best API Docs Tools in 2025 Which API documentation tool is the best? It Depends™! Let's go through the best modern tooling and look at when you might want to pick one over another. By Phil Sturgeon, Alexander Karan 30 Jul 2025 api-governance API Design Reviews Don't Have to be Hard A quick look at how you can handle API design reviews in pull requests using Bump.sh instead of forcing everyone to stare into a chasm of YAML diffs. By Phil Sturgeon 23 May 2025 green tech HTTP Caching APIs with Laravel and Vapor Stop wasting server(less) resources answering the same questions over and over again, by enabling CloudFront for your Laravel REST/HTTP API. By Phil Sturgeon 25 Apr 2025 api-design API Design Basics: Cacheability Designing an API with cacheability in mind produces a more sensible and better separated set of resources, and it just so happens to be more performant, cheaper, and better for the environment. By Phil Sturgeon 18 Apr 2025 See all APIs You Won't Hate The largest community for API Devs on the web. Subscribe Recommendations Alexander Karan’s Blog blog.alexanderkaran.com Senior Software Engineer at Atlassian. JavaScript dev, TedX speaker and blogger with a passion for software architecture. Alex is APIs You Won't Hate's resident newsletter-writer-in-chief. OpenAPI.Tools - an Open Source list of great tools for OpenAPI. openapi.tools OpenAPI.tools is a comprehensive and open source list of resources for developers working with OpenAPI. Protect Earth | Planting trees to save the earth protect.earth Our purpose is simple: we aim to plant, and help people plant, as many trees as possible in the UK to help mitigate the climate crisis. Phil Sturgeon's Blog philsturgeon.com The personal blog of Phil Sturgeon, founder of APIs You Won't Hate. A Digital nomad, writing about APIs, van life, and trying to save the planet through reforestation and green tech. 💌 Tiny Improvements, from Mike Bifulco mikebifulco.com A weekly newsletter for product builders. It's a single, tiny idea to help you build better products, written by CTO of a YC company (and one of the founders of APIs You Won't Hate) See all Sign up About Powered by Ghost Are you ready to build APIs You Won't Hate? Join now to subscribe to our twice-monthly newsletter, access to our Slack Channel, and other subscriber benefits. Unsubscribe any time. Subscribe | 2026-01-13T08:48:13 |
https://twitter.com/intent/tweet?text=%22Server-Side%20Rendering%20%28SSR%29%20Vs%20Client-Side%20Rendering%20%28CSR%29%22%20by%20%40codewithtee%20%23DEVCommunity%20https%3A%2F%2Fdev.to%2Fcodewithtee%2Fserver-side-rendering-ssr-vs-client-side-rendering-csr-3m24 | 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-13T08:48:13 |
https://x.com/intent/follow?screen_name=vladzima | 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-13T08:48:13 |
https://dev.to/badrchanaa | Badr chanaa - DEV Community 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 Forem Close Follow User actions Badr chanaa A software developer from morocco Location Morocco Joined Joined on Oct 20, 2025 github website Education 1337 Coding School More info about @badrchanaa Badges Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Skills/Languages Python, Typescript, Next.js, fastify, express.js, Docker, Linux, C, C++ Currently learning Postgresql Currently hacking on Migrations library for Rreact-native and Expo local sqlite databases Available for Internship Post 1 post published Comment 0 comments written Tag 0 tags followed AI should not be in Code Editors Badr chanaa Badr chanaa Badr chanaa Follow Jan 10 AI should not be in Code Editors # discuss # programming # ai # productivity 10 reactions Comments 15 comments 2 min read 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 Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:13 |
https://linktr.ee/s/templates | Templates - Linktree We’ve made some changes to our Privacy Notice and Terms and Conditions to address upcoming features and to give you more clarity on how we collect and use your information. Products Link in bio + tools Manage your social media Grow and engage your audience Monetize your following Measure your success Link in bio + tools Link in bio Customize your Linktree Link shortener Create trackable, shareable short links QR code generator Turn links into scannable QR codes Canva Background Editor Import your custom designs from Canva into your profile Linktree for every social platform Grow and engage your audience everywhere Featured Join 70M+ using Linktree as their link in bio One link to share everything you create, curate, and sell across all your socials. Manage your social media Schedule and auto-post Hands-free, hassle-free social media planning Instagram auto reply Automated replies and DMs triggered by comments AI content & caption generator Instant AI-powered post ideas and captions Hashtag generator Trending hashtag suggestions for better reach Social integration for every social platform Plan, auto post, and share across all platforms What’s New Boost sales with Instagram Auto-reply Instantly reply to comments, send traffic to your offers, and turn engagement into sales—automatically. Grow and engage your audience Collect leads with contact forms Turn visitors into subscribers Manage and activate your audience Organize, tag, and track contacts Send contacts to email tools Sync with Mailchimp, Klaviyo, Kit & more Featured Connect your email tools, activate your audience Send new contacts straight from Linktree to Mailchimp, Klaviyo, Kit and more. Monetize your following Earn with a Linktree Shop Sell products and earn commission Sell an online course Create and sell your expertise easily Host digital products Sell digital products and build your email list Earn by hosting sponsored links Share brand offers and earn for every sign-up or sale Get rewarded for growing your Linktree Earn points, level up and unlock cash bonuses Booked and paid, easily Offer sessions and earn from your expertise Featured Turn Your Linktree into a Storefront That Pays Add affiliate products, share what you love, and start earning in minutes with industry-leading commissions. Measure your success Social + link analytics Track clicks, engagement and audience insights Featured Grow engagement with analytics Make data-driven decisions for your Linktree and social media platforms with analytics that are easy to understand. Templates Marketplace Learn Resources How to use Linktree Resources Read our blog All the latest tips, tricks and growth strategies Success Stories Real people, real results on Linktree Learn with Linktree Create & sell your own online Course If you’ve got something to share, you’ve got something to sell. Easily create and share an online course that... How to use Linktree Linktree Help Centre Get answers, guides and support Learn with Linktree Create & sell your own online Course If you’ve got something to share, you’ve got something to sell. Easily create and share an online course that... Pricing Log in Sign up free Get 33% Off Pro A Linktree template to suit every brand and creator Different Link Apps, integrations and visual styles can help you create a Linktree that looks and feels like you and your brand. Explore our library of custom templates to grow and connect with your audience even more easily! Browse by Fashion Health and Fitness Influencer and Creator Marketing Music Small Business Social Media Sports Telegram Whatsapp Explore Artemis Artemis Templates / Artemis Artemis The perfect Linktree profile template for all your fresh juice and smoothie bar needs. We’ve got this juicy template set up for you so that you can link to drink menus, recipes and store locations. You’ll never have to worry about making your Linktree profile look great again. Create your Linktree Create your Linktree Explore Balcombe Balcombe Templates / Balcombe Balcombe This Linktree profile template is based on a travel influencers style, and is perfect for a travel blogger or Instagrammer. With summery colours and a fun design, it's sure to grab the attention of those who love to see unique travel experiences from around the world! Create your Linktree Create your Linktree Explore Boultont Boultont Templates / Boultont Boultont The Boulton template is the perfect Linktree profile template for a specialty coffee roaster or cocktail business. It’s clean and simple, with space to link to your latest special releases, food and drink menus, reservations and open times. Create your Linktree Create your Linktree Explore Bourke Bourke Templates / Bourke Bourke This template is designed specifically for long distance runners. You can use it to link your followers to your favorite running tracks and trail routes. You can also share your diet routine for optimal performance. And, you can connect fans to your social media platforms to follow your running journey. By using the Bourke Linktree Template, you can share your love of running with the world and inspire others to get out and hit the trails. Create your Linktree Create your Linktree Explore Constance Constance Templates / Constance Constance A skateboarding pro brand ambassador template is perfect for showcasing links to the biggest and best skate parks in the world and a playlist of the best songs to skate to. Create your Linktree Create your Linktree Explore Coromandel Coromandel Templates / Coromandel Coromandel This fun, professional template showcases menus, specials, information on how to book afternoon tea and purchase gift cards. This template will help your business grow and reach new customers. Create your Linktree Create your Linktree Explore Crombie Crombie Templates / Crombie Crombie Crombie's Linktree template is the perfect way to share your work and inspiration with your followers. It's easy to update, so you can keep your fans updated on all your latest work. And it's designed specifically for social justice influencers, so you can be sure that your followers will be able to find what they're looking for. Create your Linktree Create your Linktree Explore Gordon Gordon Templates / Gordon Gordon This sunny Linktree template is perfect for a climate supporter who is running an ecommerce shop. It links to the online store and blog, as well as a contact form on their site. Create your Linktree Create your Linktree Explore Guildford Sport Guildford Sport Templates / Guildford Sport Guildford Sport This Linktree profile is perfect for the surfing enthusiast. You can share your surf school open hours and available lesson types. Plus, link visitors to your longer surfing courses and connect them with your social media platforms. Create your Linktree Create your Linktree Explore Hanna Hanna Templates / Hanna Hanna Give your website or social media platforms a boost with the Hanna Linktree Template. This stylish template features an indoor plant background with a soul beats vibe, and links to your Spotify and YouTube channels. Get people to visit your store or contact you with ease, and connect to your social media platforms in a snap. Create your Linktree Create your Linktree Explore Hay Hay Templates / Hay Hay Perfect for university men's basketball players, the Hay linktree template allows you to share your favourite training videos, link to your team's website, and share content to help others advance their dribbling and passing skills. With a clean, simple design, the Hay linktree template is perfect for anyone looking to take their social media presence to the next level. Create your Linktree Create your Linktree Explore Healeys Healeys Templates / Healeys Healeys Healey's is the perfect Linktree to help visitors unwind and relax. With a low-fi urban vibe, they can shop the online store, listen to your latest releases, and connect to your social media platforms. Create your Linktree Create your Linktree Explore Heape Heape Templates / Heape Heape This Linktree template is a bright, block coloured and vibrant way to showcase a blend of horticulture and design. Linking off to online stores, favourite products, tools and how you can get in contact. Create your Linktree Create your Linktree Explore Heffernan Heffernan Templates / Heffernan Heffernan A simplistic graphic Linktree profile template for an influencer in hiring and interviews. Their website, social media accounts, and a YouTube video featuring their best interview advice are all linked from this profile. Create your Linktree Create your Linktree Explore Iris Iris Templates / Iris Iris The Iris Linktree Template is perfect for deep thinkers who want to connect with their fans and followers. With links to your next talks on philosophy, your blog and your main website, visitors can easily find everything they need. The template also includes social media links, so visitors can connect with you on their favorite platform. Create your Linktree Create your Linktree Explore Knox Knox Templates / Knox Knox Linktree is the perfect platform to manage all your links, from building your content library to tracking the performance of individual pieces. This Knox Template is designed to help you establish your credibility as a solar design practice influencer by connecting your followers to your affiliate links, latest vidcon talks and social media profiles all in one place. Create your Linktree Create your Linktree Explore Lane Lane Templates / Lane Lane The Lane Linktree Template is perfect for anyone who wants to add a little bit of edge to their online presence. This dark and mystical profile is perfect for gamers and streamers who want to share their contact information, links to their merch stores and their Twitch account. Fans will love being able to connect with you on your social media platforms. Create your Linktree Create your Linktree Explore Lingham Lingham Templates / Lingham Lingham If you're an aspiring professional soccer goalie, the Lingham Linktree template is perfect for you. You can share training content with your fans, send them to your store to buy your merch, and link them to your club website. The template is easy to use and customize, so you can make it your own. Create your Linktree Create your Linktree Explore Louden Louden Templates / Louden Louden The Louden Template is a beautiful front page for MUA influencers sharing tutorial videos, showcasing their favourite products and sharing referral codes. Create your Linktree Create your Linktree Explore Merlin Merlin Templates / Merlin Merlin Merlin is the perfect Linktree profile for health and fitness influencers. Through our template, you can connect your followers to social media profiles, embed your fitness youtube channel and favourite gym outfits Pinterest board and much more. Create your Linktree Create your Linktree Explore Merlin Biz Merlin Biz Templates / Merlin Biz Merlin Biz This template is a great start if you're wanting to promote your local cafe, and reinvent yourself as a coffee house. This profile links to their menu and locations, as well as a place to shop their blends and drinks. Create your Linktree Create your Linktree Explore Merriman Merriman Templates / Merriman Merriman A bright, vibrant and fresh Linktree profile template. Perfect for a fresh juice and smoothie bar. This gives you the opportunity to create an eye-catching introduction to your brand by linking back to your drink menus, wellbeing tips and hacks while showcasing your latest wellness podcast episode. Create your Linktree Create your Linktree Explore Meyers Meyers Templates / Meyers Meyers Inspired by the tranquility of the forest, Meyers is a natural Linktree template for nature artists. This profile links to a stockists, an online store and a collection of inspirations. Create your Linktree Create your Linktree Explore Middleton Middleton Templates / Middleton Middleton The Collins Linktree template is the perfect way to promote your music and connect with your fans. This design features a sleek and modern grey urban vibe, with easy links to your latest playlists and online store. You can also include a contact form for your fans to get in touch with your manager. Get your music career off to a great start with Collins Linktree. Create your Linktree Create your Linktree Explore Mitre Mitre Templates / Mitre Mitre The Mitre Linktree Template is perfect for yoga studios who want to share open hours, locations, and class schedules with their clients. With this template, you can also share your 'about' story and connect fans to your social media platforms. This template is bright, healthy, and easy to use. Create your Linktree Create your Linktree Explore Music 14 Music 14 Templates / Music 14 Music 14 Bring the heat to your next performance with the Music14 Linktree Template. This sleek and modern design features a dark, moody gradient background, perfect for setting the tone of your set. With links to your boileroom set, DJ set up and how your fans can get one like it, this template has everything you need to get the party started. Plus, with a contact form to book you for a concert and social media platforms, you can easily connect with your fans to keep the energy going all night long. Create your Linktree Create your Linktree Explore Oliver Oliver Templates / Oliver Oliver The Oliver Linktree profile template is bright and bubbly, perfect for a sustainable fashion blogger and influencer. This profile includes links to their vlog, website, and current Spotify playlist. Create your Linktree Create your Linktree Explore Paynes Paynes Templates / Paynes Paynes Paynes Template is a linktree profile for hiking enthusiasts and influencers, connecting hiking routes, trip schedules and more. It is designed to be used by hikers in order to increase their visibility on the web and make it easier to share information regarding their trips. Create your Linktree Create your Linktree Explore Pender Pender Templates / Pender Pender The Pender Template makes it easy to get started with Linktree, and helps you showcase your business in the best light. You can easily showcase your cakes and pastries, link people to your social media platforms, and find out about your business. Create your Linktree Create your Linktree Explore Platypus Platypus Templates / Platypus Platypus This sleek and professional template provides quick and easy access to your website, social media, and tour dates, making it easy for potential fans and industry contacts to connect with you. Plus, the light and bright design is sure to leave a lasting impression. Create your Linktree Create your Linktree Explore Presgrave Presgrave Templates / Presgrave Presgrave Offering a sophisticated nightlife vibe, the Presgrave Template is a popular choice for establishments in search of a modern online presence. Connecting people to your menus, reservations, store locations and reviews, this fun template also links people to your social media channels for updates on location-based events and promotions. Create your Linktree Create your Linktree Explore Ridgway Ridgway Templates / Ridgway Ridgway A Linktree profile template in a block colour for a local council member advocating for a cleaner neighbourhood. This profile includes information on how to join the local council, contact the representative, and participate in local initiatives. Create your Linktree Create your Linktree Explore Russell Russell Templates / Russell Russell The Russell is our minimalist Linktree template for a literary influencer who reads their way through Brooklyn. Featuring book reviews, the best parts of Brooklyn that nobody knows and weekly coffee/book club meetups, this template is perfect for book lovers who love to share their favorite reads via linktree! Create your Linktree Create your Linktree Explore Rutledge Rutledge Templates / Rutledge Rutledge The Rutledge Linktree Template is a great way to promote your latest podcast episode. With a dark recording studio background and links to your show, it's easy to get people to subscribe and stay up to date on your latest episodes. You can also use the template to connect to your social media platforms and get people to visit your website or find your tour dates. Create your Linktree Create your Linktree Explore Sampson Sampson Templates / Sampson Sampson If you're an up-and-coming musician, the Sampson Linktree template is perfect for you. With a simple gradient background, you can easily link followers to your Soundcloud, Youtube song breakdowns and TikTok music tutorials. You can also connect to social media platforms like Instagram and Twitter to promote your music. Get the Sampson Linktree template to help you take your music career to the next level. Create your Linktree Create your Linktree Explore Singers Singers Templates / Singers Singers For fiercely classical musicians, the Singers Template was designed with a vintage classical vibe. Connecting visitors to social media channels, showcasing the newest album and where to listen to it, upcoming performances, and locations where dedicated fans can purchase merchandise. Create your Linktree Create your Linktree Explore Smythe Smythe Templates / Smythe Smythe This beautiful Linktree profile template is a great way to show off your vintage clothing finds on Instagram while highlighting which brands, craftsmen and designers you love the most. This template is great for vintage clothing shops, thrift store fashion inspo, and blogger style profiles. Create your Linktree Create your Linktree Explore Smythe Sports Smythe Sports Templates / Smythe Sports Smythe Sports Are you looking for an easy way to share your trickshots with the world? Look no further than the Smythe Linktree Template. This template allows you to quickly and easily link to your trickshot videos, making it simple for fans to find and enjoy your work. You can also link to your team's website and connect fans to your merch store. Create your Linktree Create your Linktree Explore Somerset Somerset Templates / Somerset Somerset This dark, moody metal techno vibe template links to your Spotify playlists, so your fans can listen to your music on the go. You can also link to your Instagram to grow your followers and share your tour dates. Plus, with Somersette Linktree Template, you can connect to social media platforms like Facebook, Twitter, and YouTube. Create your Linktree Create your Linktree Explore Star Star Templates / Star Star The sleek, dark design is perfect for highlighting your best work, whether it's your web3 portfolio, videos on Web3 for beginners or links to your store. Plus, with quick and easy access to your social media platforms, you can stay connected with your audience no matter where they are. Create your Linktree Create your Linktree Explore Stubbs Stubbs Templates / Stubbs Stubbs Based on the colorful, pastel-inspired designs of a Melbourne-based artist, this Linktree template links to a print store, and embeds videos on their pastel art process and how to get in touch. Create your Linktree Create your Linktree Explore Sugden Sugden Templates / Sugden Sugden This Linktree profile template is the perfect profile for your handcrafted goods. The Sudgen template offers the perfect aesthetic. Link to your etsy store and tips for working from home to stay on track with your business. Create your Linktree Create your Linktree Explore Throssell Throssell Templates / Throssell Throssell Throssell is the perfect way for basketball players to stay connected with their fans. With a link to your team's website, fans can stay up-to-date on your latest game schedule. You can also share your store so they can buy your merch, and connect them to your social media platforms. Throssell makes it easy for fans to find everything they need in one place. Create your Linktree Create your Linktree Explore Turner Turner Templates / Turner Turner The Turner Linktree Template - perfect for artists who want to create a stunning, professional-looking Linktree in minutes. With a dark gradient background, with links to your latest release, website, blog and social media platforms, the Turner Linktree Template is the perfect way to show off your work and connect with your fans. Create your Linktree Create your Linktree Explore Ulster Ulster Templates / Ulster Ulster The Ulster Linktree Template is perfect for anyone who wants to create a professional and sleek online presence. Featuring a dark stary sky mood, this template allows you to showcase your work in a beautiful way while also linking to your venues, live recordings, and social media platforms. Create your Linktree Create your Linktree Explore Warburton Warburton Templates / Warburton Warburton The Warburton Template is a minimal-toned Linktree template designed for small to large pastry businesses and bakeries. This template links to menus, online ordering, shares store locations and the business story and highlights your most exciting news. Create your Linktree Create your Linktree Get inspired by the best brands and creators using Linktree /selenagomez /funkynutmeg /hbo /comedycentral /pharrell /tonyhawk /laclippers Jumpstart your corner of the internet today Oops! Something went wrong while submitting the form. Company The Linktree Blog Engineering Blog Marketplace What's New About Press Careers Link in Bio Social Good Contact Community Linktree for Enterprise 2023 Creator Report 2022 Creator Report Charities Creator Profile Directory Explore Templates Support Help Topics Getting Started Linktree Pro Features & How-Tos FAQs Report a Violation Trust & Legal Terms & Conditions Privacy Notice Cookie Notice Trust Center Cookies Preferences Transparency Report Law Enforcement Access Policy Human Rights Log in Get started for free We acknowledge the Traditional Custodians of the land on which our office stands, The Wurundjeri people of the Kulin Nation, and pay our respects to Elders past, present and emerging. Linktree Pty Ltd (ABN 68 608 721 562), 1-9 Sackville St, Collingwood VIC 3066 | 2026-01-13T08:48:13 |
https://x.com/vladzima/status/1830972086640353740 | 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-13T08:48:13 |
https://dev.to/ruppysuppy/redux-vs-context-api-when-to-use-them-4k3p#wrapping-up | Redux vs Context API: When to use them - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Tapajyoti Bose Posted on Nov 28, 2021 • Edited on Mar 1, 2025 Redux vs Context API: When to use them # redux # react # javascript # webdev The simplest way to pass data from a parent to a child in a React Application is by passing it on to the child's props . But an issue arises when a deeply nested child requires data from a component higher up in the tree . If we pass on the data through the props , every single one of the children would be required to accept the data and pass it on to its child , leading to prop drilling , a terrible practice in the world of React. To solve the prop drilling issue, we have State Management Solutions like Context API and Redux. But which one of them is best suited for your application? Today we are going to answer this age-old question! What is the Context API? Let's check the official documentation: In a typical React application, data is passed top-down (parent to child) via props, but such usage can be cumbersome for certain types of props (e.g. locale preference, UI theme) that are required by many components within an application. Context provides a way to share values like these between components without having to explicitly pass a prop through every level of the tree. Context API is a built-in React tool that does not influence the final bundle size, and is integrated by design. To use the Context API , you have to: Create the Context const Context = createContext ( MockData ); Create a Provider for the Context const Parent = () => { return ( < Context . Provider value = { initialValue } > < Children /> < /Context.Provider > ) } Consume the data in the Context const Child = () => { const contextData = useContext ( Context ); // use the data // ... } So What is Redux? Of course, let's head over to the documentation: Redux is a predictable state container for JavaScript apps. It helps you write applications that behave consistently, run in different environments (client, server, and native), and are easy to test. On top of that, it provides a great developer experience, such as live code editing combined with a time-traveling debugger. You can use Redux together with React, or with any other view library. It is tiny (2kB, including dependencies), but has a large ecosystem of addons available. Redux is an Open Source Library which provides a central store , and actions to modify the store . It can be used with any project using JavaScript or TypeScript , but since we are comparing it to Context API , so we will stick to React-based Applications . To use Redux you need to: Create a Reducer import { createSlice } from " @reduxjs/toolkit " ; export const slice = createSlice ({ name : " slice-name " , initialState : { // ... }, reducers : { func01 : ( state ) => { // ... }, } }); export const { func01 } = slice . actions ; export default slice . reducer ; Configure the Store import { configureStore } from " @reduxjs/toolkit " ; import reducer from " ./reducer " ; export default configureStore ({ reducer : { reducer : reducer } }); Make the Store available for data consumption import React from ' react ' ; import ReactDOM from ' react-dom ' ; import { Provider } from ' react-redux ' ; import App from ' ./App.jsx ' import store from ' ./store ' ; ReactDOM . render ( < Provider store = { store } > < App /> < /Provider> , document . getElementById ( " root " ) ); Use State or Dispatch Actions import { useSelector , useDispatch } from ' react-redux ' ; import { func01 } from ' ./redux/reducer ' ; const Component = () => { const reducerState = useSelector (( state ) => state . reducer ); const dispatch = useDispatch (); const doSomething = () = > dispatch ( func01 ) return ( <> { /* ... */ } < / > ); } export default Component ; That's all Phew! As you can see, Redux requires way more work to get it set up. Comparing Redux & Context API Context API Redux Built-in tool that ships with React Additional installation Required, driving up the final bundle size Requires minimal Setup Requires extensive setup to integrate it with a React Application Specifically designed for static data, that is not often refreshed or updated Works like a charm with both static and dynamic data Adding new contexts requires creation from scratch Easily extendible due to the ease of adding new data/actions after the initial setup Debugging can be hard in highly nested React Component Structure even with Dev Tool Incredibly powerful Redux Dev Tools to ease debugging UI logic and State Management Logic are in the same component Better code organization with separate UI logic and State Management Logic From the table, you must be able to comprehend where the popular opinion Redux is for large projects & Context API for small ones come from. Both are excellent tools for their own specific niche, Redux is overkill just to pass data from parent to child & Context API truly shines in this case. When you have a lot of dynamic data Redux got your back! So you no longer have to that guy who goes: Wrapping Up In this article, we went through what is Redux and Context API and their differences. We learned, Context API is a light-weight solution which is more suited for passing data from a parent to a deeply nested child and Redux is a more robust State Management solution . Happy Developing! Thanks for reading Need a Top Rated Software Development Freelancer to chop away your development woes? Contact me on Upwork Want to see what I am working on? Check out my Personal Website and GitHub Want to connect? Reach out to me on LinkedIn Follow my blogs for bi-weekly new Tidbits on Medium FAQ These are a few commonly asked questions I get. So, I hope this FAQ section solves your issues. I am a beginner, how should I learn Front-End Web Dev? Look into the following articles: Front End Buzz words Front End Development Roadmap Front End Project Ideas Transition from a Beginner to an Intermediate Frontend Developer Would you mentor me? Sorry, I am already under a lot of workload and would not have the time to mentor anyone. Top comments (38) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Lenz Weber Lenz Weber Lenz Weber Follow Joined Jul 4, 2021 • Nov 28 '21 Dropdown menu Copy link Hide You are referring to a style of Redux there that is not the recommended style of writing Redux for over two years now. Modern Redux looks very differently and is about 1/4 of the code. It does not use switch..case reducers, ACTION_TYPES or createStore and is a lot easier to set up than what you are used to. I'd highly recommend going through the official Redux tutorial and maybe updating this article afterwards. Like comment: Like comment: 41 likes Like Comment button Reply Collapse Expand Tapajyoti Bose Tapajyoti Bose Tapajyoti Bose Follow Top Rated Freelancer || Blogger || Cross-Platform App Developer || Web Developer || Open Source Contributor Location Kolkata, West Bengal, India Joined Dec 4, 2020 • Nov 28 '21 • Edited on Nov 28 • Edited Dropdown menu Copy link Hide Thanks for pointing it out, please take a look now Its great to have one of the creators of Redux reviewing my article! Like comment: Like comment: 6 likes Like Comment button Reply Collapse Expand Lenz Weber Lenz Weber Lenz Weber Follow Joined Jul 4, 2021 • Nov 28 '21 Dropdown menu Copy link Hide Now the Redux portion looks okay for me - as for the comparison, I'd still say it doesn't 100% stand as the two examples just do very different things - the Context example only takes initialValue from somewhere and passes it down the tree, but you don't even have code to change that value ever in the future. So if you add code for that (and also pass down an option to change that data), you will probably already here get to a point where the Context is already more code than the Redux solution. Like comment: Like comment: 9 likes Like Thread Thread Tapajyoti Bose Tapajyoti Bose Tapajyoti Bose Follow Top Rated Freelancer || Blogger || Cross-Platform App Developer || Web Developer || Open Source Contributor Location Kolkata, West Bengal, India Joined Dec 4, 2020 • Nov 28 '21 Dropdown menu Copy link Hide I'm not entirely sure whether I agree on this point. Using context with data update would only take 4 more lines: Function in Mock data useState in the Parent Update handler in initialValue Using the update handler in the Child Like comment: Like comment: 2 likes Like Thread Thread Lenz Weber Lenz Weber Lenz Weber Follow Joined Jul 4, 2021 • Nov 28 '21 Dropdown menu Copy link Hide In the end, it usually ends up as quite some more code - see kentcdodds.com/blog/how-to-use-rea... for example. But just taking your examples side by side: Usage in the component is pretty much the same amount of code. In both cases you need to wrap the app in a Provider (you forgot that in the context examples above) creating a slice and creating the Provider wrapper pretty much abstract the same logic - but in a slice, you can use mutating logic, so as soon as you get to more complex data manipulation, the slice will be significantly shorter That in the end leaves the configureStore call - and that are three lines. You will probably save more code by using createSlice vs manually writing a Provider. Like comment: Like comment: 7 likes Like Thread Thread Tapajyoti Bose Tapajyoti Bose Tapajyoti Bose Follow Top Rated Freelancer || Blogger || Cross-Platform App Developer || Web Developer || Open Source Contributor Location Kolkata, West Bengal, India Joined Dec 4, 2020 • Nov 29 '21 Dropdown menu Copy link Hide But I had added the Provider in the Context example 😐 You are talking about using useReducer hook with the Context API . I am suggesting that if one is required to modify the data, one should definitely opt for Redux . In case only sharing the data with the Child Components is required, Context would be a better solution Like comment: Like comment: 4 likes Like Thread Thread Lenz Weber Lenz Weber Lenz Weber Follow Joined Jul 4, 2021 • Nov 29 '21 Dropdown menu Copy link Hide Yeah, but you are not using the Parent anywhere, which is kinda equivalent to using the Provider in Redux, kinda making it look like one step less for Context ;) As for the "not using useReducer " - seems like I read over that - in that case I 100% agree. :) Like comment: Like comment: 6 likes Like Thread Thread Dan Dan Dan Follow Been coding on and off as a hobby for 5 years now and commercially - as a freelancer, on and off - for 1 year. Joined Oct 6, 2023 • Oct 6 '23 Dropdown menu Copy link Hide "I am suggesting that if one is required to modify the data, one should definitely opt for Redux." - can you elaborate? What specific advantages Redux has over using reducers with useReducer in React? Thanks! Like comment: Like comment: 2 likes Like Thread Thread Lenz Weber Lenz Weber Lenz Weber Follow Joined Jul 4, 2021 • Oct 6 '23 Dropdown menu Copy link Hide @gottfried-dev The problem is not useReducer , which is great for component-local state, but Context, which has no means of subscribing to parts of an object, so as soon as you have any complicated value in your context (which you probably have if you need useReducer), any change to any sub-property will rerender every consumer, if it is interested in the change or not. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Mangor1no Mangor1no Mangor1no Follow I need a sleep. https://www.russdev.net Location Hanoi, VN Education FPT University Work Front end Engineer at JUST.engineer Joined Nov 27, 2020 • Nov 29 '21 Dropdown menu Copy link Hide I myself really don't like using redux toolkit. Feel like I have more control when using the old way Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Lenz Weber Lenz Weber Lenz Weber Follow Joined Jul 4, 2021 • Nov 29 '21 Dropdown menu Copy link Hide Which part of it exactly is taking control away? Oh, btw.: if it is only one of those "I need the control only 10% of the time" cases - you can always mix both styles. RTK is just Redux, there is absolutely no magic going on that would prevent a mix of RTK reducers and hand-written reducers. Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Philipp Renoth Philipp Renoth Philipp Renoth Follow 🦀 Rust, ⬢ node.js and 🌋 Vulkan Email renoth@aitch.de Location Germany Work Software Engineer at ConSol Consulting & Solutions Software GmbH Joined May 5, 2021 • Nov 30 '21 • Edited on Nov 30 • Edited Dropdown menu Copy link Hide Referring to your example, I can write a blog post, too: Context API vs. ES6 import Context API is too complicated. I can simply import MockData from './mockData' and use it in any component. Context API has 10 lines, import only 1 line. Then you can write another blog post Redux vs. ES6 import . There are maybe projects which need to mutate data want smart component updates want time-travel for debugging want a solid plugin concept for global state management And then there are devs reading blogs about using redux is too complicated and end up introducing their own concepts and ideas around the Context API without knowing one thing about immutable data optimizations and so on. You can use a react context to solve problems that are also being solved by redux, but some features and optimizations are not that easy for homegrown solutions. I mean try it out - it's a great exercise to understand why you should maybe use redux in your production code or stick to a simpler solution that has less features at all. I'm not saying, that you should use redux in every project, but redux is not just some stupid boilerplate around the Context API => if you need global state utils check out the libs built for it. There are also others than redux. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand roggc roggc roggc Follow React and React Native developer Email roggc9@gmail.com Location Barcelona Joined Oct 26, 2019 • Jun 8 '23 Dropdown menu Copy link Hide Hello, I have developed a library, react-context-slices which allows to manage state through Context easily and quickly. It has 0 boilerplate. You can define slices of Context and fetch them with a unique hook, useSlice , which acts either as a useState or useReducer hook, depending on if you defined a reducer or not for the slice of Context you are fetching. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Andrew Baisden Andrew Baisden Andrew Baisden Follow Software Developer | Content Creator | AI, Tech, Programming Location London, UK Education Bachelor Degree Computer Science Work Software Developer Joined Feb 11, 2020 • Dec 4 '21 Dropdown menu Copy link Hide Redux used to be my first choice for large applications but these days I much prefer to use the Context API. Still good to know Redux though just in case and many projects and companies still require you to know it. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Nishant Tilve Nishant Tilve Nishant Tilve Follow An aspiring Web Developer, an amateur Game Developer, and an AI/ML enthusiast. Involved in the pursuit of finding my niche. Email nishanttilve@gmail.com Location Goa, India Work Student Joined May 20, 2020 • Nov 28 '21 Dropdown menu Copy link Hide Also, if you need to maintain some sort of complex state for any mid-level project, you can still create your own reducer using React's Context API itself, before reaching out for redux and adding external dependencies to your project initially. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Kayeeec Kayeeec Kayeeec Follow Education Masters degree in Informatics Joined Feb 9, 2022 • Mar 30 '22 • Edited on Mar 30 • Edited Dropdown menu Copy link Hide But you might take a performance hit. Redux seems to be better performance-wise when you intend to update the shared data a lot - see stackoverflow.com/a/66972857/7677851 . If used correctly that is. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand adam-biggs adam-biggs adam-biggs Follow Location Toronto, Ontario Education University of Waterloo Work Full Stack Developer + Talent Acquisition Specialist Joined Oct 21, 2022 • Oct 27 '22 Dropdown menu Copy link Hide One of the best and most overlooked alternatives to Redux is to use React's own built-in Context API. Context API provides a different approach to tackling the data flow problem between React’s deeply nested components. Context has been around with React for quite a while, but it has changed significantly since its inception. Up to version 16.3, it was a way to handle the state data outside the React component tree. It was an experimental feature not recommended for most use cases. Initially, the problem with legacy context was that updates to values that were passed down with context could be “blocked” if a component skipped rendering through the shouldComponentUpdate lifecycle method. Since many components relied on shouldComponentUpdate for performance optimizations, the legacy context was useless for passing down plain data. The new version of Context API is a dependency injection mechanism that allows passing data through the component tree without having to pass props down manually at every level. The most important thing here is that, unlike Redux, Context API is not a state management system. Instead, it’s a dependency injection mechanism where you manage a state in a React component. We get a state management system when using it with useContext and useReducer hooks. A great next step to learning more is to read this article by Andy Fernandez: scalablepath.com/react/context-api... Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Mohammad Jawad (Kasir) Barati Mohammad Jawad (Kasir) Barati Mohammad Jawad (Kasir) Barati Follow Love to work with cutting edge technologies and on my journey to learn and teach. Having a can-do attitude and being industrious are the reasons why I question the status quo an venture in the unknown Email node.js.developers.kh@gmail.com Location Bremen, Germany Education Bachelor Pronouns He/Him/His Work Fullstack Engineer Joined Mar 13, 2021 • May 29 '23 Dropdown menu Copy link Hide Can you give me some explanation to what you meant when you wrote Context is DI. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Lohit Peesapati Lohit Peesapati Lohit Peesapati Follow A polymath developer curious about solving problems, and building products that bring comfort and convenience to users. Location Hyderabad Work Full Stack Product Developer at Rudra labs Joined Mar 4, 2019 • Nov 28 '21 Dropdown menu Copy link Hide I found Redux to be easier to setup and work with than Context API. I migrated a library I was building in Redux to context API and reused most of the reducer logic, but the amount of optimization and debugging I had to do to make the same functionality work was a nightmare in Context. It made me appreciate Redux more and I switched back to save time. It was a good learning to know the specific use case and limitations of context. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Tapajyoti Bose Tapajyoti Bose Tapajyoti Bose Follow Top Rated Freelancer || Blogger || Cross-Platform App Developer || Web Developer || Open Source Contributor Location Kolkata, West Bengal, India Joined Dec 4, 2020 • Nov 28 '21 Dropdown menu Copy link Hide I too am a huge fan of redux for most projects! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Salah Eddine Lalami Salah Eddine Lalami Salah Eddine Lalami Follow Hi I'm Salah Eddine Lalami , Senior Software Developer @ IDURARAPP.COM Location Remote Work Senior Software Developer at IDURAR Joined Jul 4, 2021 • Sep 2 '23 Dropdown menu Copy link Hide @ IDURAR , we use react context api for all UI parts , and we keep our data layer inside redux . Here Article about : 🚀 Mastering Advanced Complex React useContext with useReducer ⭐ (Redux like Style) ⭐ : dev.to/idurar/mastering-advanced-c... Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Shakil Ahmed Shakil Ahmed Shakil Ahmed Follow MERN Stack High-Performance Applications at Your Service! React | Node | Express | MongoDB Location Savar, Dhaka Joined Jan 22, 2021 • Dec 4 '23 Dropdown menu Copy link Hide Exciting topic! 🚀 I love exploring the nuances of state management in React, and finding the sweet spot between Redux and Context API for optimal performance and simplicity. What factors do you prioritize when making the choice? 🤔 Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Upride Network Upride Network Upride Network Follow Building Next-Gen Mobility Tech! Location Bengaluru, India Joined May 21, 2023 • Jan 30 '24 Dropdown menu Copy link Hide Hi, We have build out site in react: upride.in , which tech stack should be better in 2024 as we want to do a complete revamp for faster loading. if anyone can help for our site that how we can make progress. Like comment: Like comment: 1 like Like Comment button Reply View full discussion (38 comments) Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Tapajyoti Bose Follow Top Rated Freelancer || Blogger || Cross-Platform App Developer || Web Developer || Open Source Contributor Location Kolkata, West Bengal, India Joined Dec 4, 2020 More from Tapajyoti Bose 9 tricks that separate a pro Typescript developer from an noob 😎 # programming # javascript # typescript # beginners 7 skill you must know to call yourself HTML master in 2025 🚀 # webdev # programming # html # beginners 11 Interview Questions You Should Know as a React Native Developer in 2025 📈🚀 # react # reactnative # javascript # programming 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:13 |
https://linktr.ee/products/social-scheduler/facebook | How to Schedule a Post on Facebook | Scheduling Made Simple We’ve made some changes to our Privacy Notice and Terms and Conditions to address upcoming features and to give you more clarity on how we collect and use your information. Products Link in bio + tools Manage your social media Grow and engage your audience Monetize your following Measure your success Link in bio + tools Link in bio Customize your Linktree Link shortener Create trackable, shareable short links QR code generator Turn links into scannable QR codes Canva Background Editor Import your custom designs from Canva into your profile Linktree for every social platform Grow and engage your audience everywhere Featured Join 70M+ using Linktree as their link in bio One link to share everything you create, curate, and sell across all your socials. Manage your social media Schedule and auto-post Hands-free, hassle-free social media planning Instagram auto reply Automated replies and DMs triggered by comments AI content & caption generator Instant AI-powered post ideas and captions Hashtag generator Trending hashtag suggestions for better reach Social integration for every social platform Plan, auto post, and share across all platforms What’s New Boost sales with Instagram Auto-reply Instantly reply to comments, send traffic to your offers, and turn engagement into sales—automatically. Grow and engage your audience Collect leads with contact forms Turn visitors into subscribers Manage and activate your audience Organize, tag, and track contacts Send contacts to email tools Sync with Mailchimp, Klaviyo, Kit & more Featured Connect your email tools, activate your audience Send new contacts straight from Linktree to Mailchimp, Klaviyo, Kit and more. Monetize your following Earn with a Linktree Shop Sell products and earn commission Sell an online course Create and sell your expertise easily Host digital products Sell digital products and build your email list Earn by hosting sponsored links Share brand offers and earn for every sign-up or sale Get rewarded for growing your Linktree Earn points, level up and unlock cash bonuses Booked and paid, easily Offer sessions and earn from your expertise Featured Turn Your Linktree into a Storefront That Pays Add affiliate products, share what you love, and start earning in minutes with industry-leading commissions. Measure your success Social + link analytics Track clicks, engagement and audience insights Featured Grow engagement with analytics Make data-driven decisions for your Linktree and social media platforms with analytics that are easy to understand. Templates Marketplace Learn Resources How to use Linktree Resources Read our blog All the latest tips, tricks and growth strategies Success Stories Real people, real results on Linktree Learn with Linktree Create & sell your own online Course If you’ve got something to share, you’ve got something to sell. Easily create and share an online course that... How to use Linktree Linktree Help Centre Get answers, guides and support Learn with Linktree Create & sell your own online Course If you’ve got something to share, you’ve got something to sell. Easily create and share an online course that... Pricing Log in Sign up free Get 33% Off Pro Schedule Facebook posts Schedule a post on Facebook in seconds Save time and stay consistent with Linktree’s Facebook post scheduler.
Plan your content in advance, schedule posts in just a few clicks, and let
us handle the posting so you can focus on growing your audience. Get started for free Your ultimate Facebook post scheduler Drag-and-drop
content planner Organize your posts visually so you can see your entire schedule in advance on a content calendar. Crosspost and share everywhere Get fresh ideas instantly so you’re never wondering what to schedule on Facebook, or any platform. Auto-post your content, hands-free No more logging in daily to post manually. Your posts go live at the right time automatically. CAN YOU SCHEDULE POSTS ON FACEBOOK? How to schedule a post on Facebook in 5 easy steps Plan ahead, post automatically and stay consistent without the manual work.
Make scheduling Facebook posts simple with just a few clicks. Step 1: Drag and drop into your visual content calendar Upload images, videos or text posts to your content calendar or media library so everything is ready to go in advance. Step 2: Choose the best time to post Automatically schedule your Facebook post for when your audience is most active to increase visibility and engagement. Step 3: Customize and share your Facebook post Write captions, add hashtags and crop images to fit perfectly so every post looks just right, and then choose to crosspost across all platforms! Step 4: Let Linktree’s Social Planner handle the rest Your post goes live automatically at the scheduled time. No more last-minute posting or scrambling for content. Step 5: Stay on top of your content strategy Plan, edit and track all your Facebook posts in one place with results and analytics so you’re always ahead of schedule. Get started for free SCHEDULE AND PUBLISH Batch, create and schedule Facebook posts. Plan, create and schedule multiple Facebook posts at once for effortless content planning. Stay ahead with a visual calendar that keeps everything organized, and let auto-publish handle posting at peak times – so your brand stays active, even while you sleep. Get started for free FACEBOOK POST GENERATOR Never run out of things to post. Struggling with what to post on Facebook? Let our AI Post Ideas tool do the work for you. Instantly generate fresh Facebook post ideas and scroll-stopping captions. Whether you need inspiration or a ready-to-go post, our AI tools help you create engaging content in seconds. Get started for free POST FROM ANYWHERE Take your Facebook scheduling on the go. Schedule, manage and edit Facebook posts anytime, anywhere with the Plann by Linktree mobile app. Stay flexible with last-minute updates and keep your content publishing seamlessly on both Android and iOS. Get started for free Simplify your social strategy. Automate your Facebook posts, stay consistent and grow your audience with no stress. Get started for free Frequently asked questions How do I schedule a post on Facebook? With Linktree’s social scheduler, you can easily plan, create, and schedule Facebook posts in advance. Simply upload your content, set a publishing time, and let Linktree handle the rest – so you can stay consistent without manual posting. How far in advance can you schedule Facebook posts? With Linktree, you can schedule Facebook posts as far in advance as you need, ensuring you maintain a steady content flow without last-minute stress. How do I bulk schedule posts on Facebook? With Linktree, you can upload multiple Facebook posts at once, set your publishing times, and set them to be auto-posted – saving you time and effort. Why use Linktree instead of other Facebook schedulers? Linktree goes beyond basic scheduling with: Multi-platform scheduling (Facebook, Instagram, Pinterest, Threads, and more) Bulk scheduling for time-saving content planning A visual calendar to keep your posts organized AI-powered insights to optimize posting times and engagement Seamless crossposting across multiple social accounts Does Plann by Linktree social scheduler work for other platforms? Yes! You can schedule, auto-post and crosspost to Facebook, Instagram, TikTok, LinkedIn, Pinterest, and YouTube Shorts all from one place. Jumpstart your corner of the internet today Oops! Something went wrong while submitting the form. Company The Linktree Blog Engineering Blog Marketplace What's New About Press Careers Link in Bio Social Good Contact Community Linktree for Enterprise 2023 Creator Report 2022 Creator Report Charities Creator Profile Directory Explore Templates Support Help Topics Getting Started Linktree Pro Features & How-Tos FAQs Report a Violation Trust & Legal Terms & Conditions Privacy Notice Cookie Notice Trust Center Cookies Preferences Transparency Report Law Enforcement Access Policy Human Rights Log in Get started for free We acknowledge the Traditional Custodians of the land on which our office stands, The Wurundjeri people of the Kulin Nation, and pay our respects to Elders past, present and emerging. Linktree Pty Ltd (ABN 68 608 721 562), 1-9 Sackville St, Collingwood VIC 3066 | 2026-01-13T08:48:13 |
https://twitter.com/mamund | 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-13T08:48:13 |
https://core.forem.com/t/programming/page/10 | Programming Page 10 - Forem Core 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 Forem Core Close Programming Follow Hide The magic behind computers. 💻 🪄 Create Post Older #programming posts 7 8 9 10 11 12 13 14 15 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:13 |
https://twitter.com/intent/tweet?text=%22Methods%20vs%20Computed%20in%20Vue%22%20by%20%40AdiatiAyu%20%23DEVCommunity%20https%3A%2F%2Fdev.to%2Fadiatiayu%2Fmethods-vs-computed-in-vue-21mj | 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-13T08:48:13 |
https://core.forem.com/challenges | DEV Online Hackathons and Writing Challenges - Forem Core 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 Forem Core Close Join a DEV Online Hackathon or Writing Challenge What are DEV Challenges? 🧠 DEV Challenges are mini Hackathons that provide a fun opportunity for you to build up experience using new tools or to publicly show off your best skills to the community, potential employers and more. Active Challenges Algolia Agent Studio Challenge Manage your entire search infrastructure using natural language! Live Cash Prizes 🤑 → New Year, New You Portfolio Challenge Build or update your developer portfolio using Google AI! Live Cash Prizes 🤑 → 💎 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 Previous Challenges DEV's Worldwide Show and Tell Challenge Presented by Mux Record a 1-minute pitch video and show off your project → Xano AI-Powered Backend Challenge Build production-ready backends at AI speed. → AI Challenge for Cross-Platform Apps From zero to project in 10 seconds! → AI Agents Intensive Course Writing Challenge Share your journey from the 5-Day AI Agents Intensive Course → Agentic Postgres Challenge Experiment with the first database built for agents 🤖 → Frontend Challenge: Halloween Edition Flex your CSS and JavaScript Skills! → Auth0 for AI Agents Challenge Secure AI agents, humans, and whatever comes next! → 2025 Hacktoberfest Writing Challenge Celebrate open source through writing! → KendoReact Free Components Challenge Build without boundaries! → Google AI Studio Multimodal Challenge The fastest way to start building! → Heroku "Back to School" AI Challenge Make the back-to-school transition smoother, smarter, and more successful! → Midnight Network "Privacy First" Challenge Build privacy-enhancing applications using zero-knowledge proofs! → Real-Time AI Agents powered by n8n and Bright Data Give your AI agents the power of real-time web data! → Redis AI Challenge Build AI apps with speed, memory, and accuracy! → AssemblyAI Voice Agents Challenge Innovate with ultra fast, ultra accurate streaming speech-to-text. → Algolia MCP Server Challenge Manage your entire search infrastructure using natural language! → Frontend Challenge: Office Edition Flex your HTML, CSS, and JavaScript skills! → World's Largest Hackathon Writing Challenge Reflect and Share Your World's Largest Hackathon Journey! → Storyblok Headless CMS Challenge Make bigger, faster market impact with the CMS that gets out of your way. → Runner H AI Agent Challenge: $10,000 in Prizes Delegate all your tasks to Runner H AI Agent. → Frontend Challenge: June Celebrations Flex your CSS and JavaScript skills! → Postmark Challenge: Inbox Innovators The email delivery service that people actually like! → Bright Data Real-Time AI Agents Challenge Give your AI the keys to the Web → Amazon Q Developer Quack The Code Challenge The most capable generative AI–powered assistant for software development. → Permit.io Authorization Challenge Never build permissions again! → Alibaba Cloud Web Game Challenge The possibilities are endless! → Pulumi Deploy and Document Challenge Automate, Secure, and Manage Everything You Run in the Cloud! → KendoReact Free Components Challenge The only React component library you need! → 2025 WeCoded Challenge A Celebration of Gender Equity in Software Development → Future Writing Challenge Flex your writing skills! → Frontend Challenge: February Edition Flex your CSS and JavaScript Skills! → Agent.ai Challenge If you can dream it, you can build it — with Agent.ai. → GitHub Copilot 1-Day Build Challenge Take flight with GitHub Copilot 🛫 → 2025 New Year Writing challenge One look back, one leap forward! → Bright Data Web Scraping Challenge Extract fresh, structured web data from over 100 popular domains. 100% compliant and ethical scraping. → Frontend Challenge: December Edition Flex your CSS and JavaScript Skills! → DevCycle Feature Flag Challenge Always Know the State of Your Flags! → AssemblyAI Challenge Innovate with superhuman speech-to-text accuracy. → The Open Source AI Challenge with pgai and Ollama Endless possibilities with PostgreSQL and Open Source! → Wix Studio Challenge: Community Edition Flex your JavaScript skills while leveraging the Wix Studio developer platform! → Pinata Challenge The Internet’s File API – “Easier than S3 and lightning fast!” → Hacktoberfest Writing Challenge Reflect on Hacktoberfest and Flex your writing skills! → Web Game Challenge Exercise your creativity and show off your skills! → Frontend Challenge v24.09.04 Flex your CSS and JS skills! → Neon OSS Starter Kit Challenge Neon is a Postgres platform designed to help you build reliable and scalable applications faster. → Nylas AI and Communications Challenge Build the future of AI-driven Email and Calendar apps. → Frontend Challenge v24.07.24 Flex your CSS and JS skills! → Build Better on Stellar: Smart Contract Challenge Transition to Web3 and begin your blockchain adventure with Stellar. → Wix Studio Challenge Flex your JavaScript skills while leveraging the Wix Studio low-code environment! → Twilio Challenge Combine the power of AI and the magic of Twilio! → Computer Science Challenge Flex your writing skills! → Frontend Challenge v24.05.29 Flex your CSS and JavaScript skills! → The AWS Amplify Fullstack Typescript Challenge Go from idea to app in hours! → Netlify Dynamic Site Challenge Build dynamic and high-performance digital experiences, across any framework! → Coze AI Bot Challenge A challenge all about bots and building plugins or workflows related to bots! → Frontend Challenge v24.04.17 Flex your CSS and JavaScript skills! → Cloudflare AI Challenge Deploy a Serverless AI App on Cloudflare Workers → Frontend Challenge v24.03.20 Flex your CSS, JS, and writing skills with our first ever DEV Frontend Challenge! → 💎 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:13 |
https://www.postman.com/?ref=apisyouwonthate.com | Postman: The World's Leading API Platform | Sign Up for Free Home Product POSTMAN PLATFORM Postman Overview Security Integrations EXPLORE Postman API Network MCP Catalog Download Postman → DESIGN Spec Hub Manage specifications Mock Servers Validate API behavior BUILD Collections Organize API requests Workspaces Collaborate with teams Flows Create visual workflows TEST API Client Send API requests Collection Runner Run API workflows Postman CLI Run from command line OBSERVE Insights Track every endpoint Monitors Validate performance AI Agent Mode Automate API tasks AI Agent Builder Build AI agents MCP Server Connect AI agents Solutions USE CASES Test Automation Create, run, and manage API tests at scale API Security Control access and manage secrets AI Streamline workflows across the API lifecycle API Distribution and Reuse Publish APIs internally or publicly API Governance Enforce API standards at scale API Documentation Instantly generate up-to-date docs Workflow Intelligence Use APIs to build effective agents and workflows Small and Medium Teams Optimize API workflows for small and medium teams Pricing Enterprise Resources Learn Learning Hub Docs Postman Academy Templates Customer stories Postman Best Practices CONNECT Community Events Discord GET SUPPORT Support Center Release notes Postman Status Trust and Security POSTMAN Blog Press and media About Postman Contact Sales Sign In Sign Up for Free Product POSTMAN PLATFORM Postman Overview Security Integrations EXPLORE Postman API Network MCP Catalog Download Postman → DESIGN Spec Hub Manage specifications Mock Servers Validate API behavior BUILD Collections Organize API requests Workspaces Collaborate with teams Flows Create visual workflows TEST API Client Send API requests Collection Runner Run API workflows Postman CLI Run from command line OBSERVE Insights Track every endpoint Monitors Validate performance AI Agent Mode Automate API tasks AI Agent Builder Build AI agents MCP Server Connect AI agents Solutions USE CASES Test Automation Create, run, and manage API tests at scale API Security Control access and manage secrets AI Streamline workflows across the API lifecycle API Distribution and Reuse Publish APIs internally or publicly API Governance Enforce API standards at scale API Documentation Instantly generate up-to-date docs Workflow Intelligence Use APIs to build effective agents and workflows Small and Medium Teams Optimize API workflows for small and medium teams Pricing Enterprise Resources Learn Learning Hub Docs Postman Academy Templates Customer stories Postman Best Practices CONNECT Community Events Discord GET SUPPORT Support Center Release notes Postman Status Trust and Security POSTMAN Blog Press and media About Postman Contact Sales Sign In Sign Up for Free Get the playbook leading teams use to create consistent, agent-ready APIs. Register for the webinar → Where the world builds APIs Unify API design, testing, documentation, monitoring, and discovery on one platform that integrates with the rest of your stack, including every major gateway and Git solution. Sign Up for Free Download the desktop app for Powering the world's leading API teams Postman brings every API, team, and workspace together onto one governed platform. Explore Platform DESIGN Design APIs your teams can build on Define APIs collaboratively with built-in support for standards like OpenAPI and GraphQL. Postman makes it easy to model requests, document behavior, and align teams before a single line of code is written. Explore Spec Hub → BUILD Deliver reliable APIs, together Organize your API requests, collaborate seamlessly across teams, and automate workflows visually in one connected workspace. Go from idea to working API without switching tools or losing context. Explore Collections → TEST Test with consistency across every environment Automate functional, integration, and regression testing across your API ecosystem. Integrations with CI/CD pipelines ensure every release meets your organization’s standards. Explore Collection Runner → OBSERVE Monitor every API with clarity and confidence Track every endpoint and validate performance across your API ecosystem. With built-in monitoring and actionable insights, Postman helps teams ensure reliability, uptime, and SLA compliance before issues impact users. Explore Monitors → Loading... Explore our use cases Discover how Postman can support your workflows across the API lifecycle. See all solutions→ Test Automation AI API Governance API Security Connect Postman to your favorite tools Postman seamlessly integrates with the critical systems your teams use every day, from Git and CI/CD to project management and team chat. Discover integrations → Sign Up for Free Watch a Demo Talk to Sales Our team has deep experience supporting organizations with their API programs. Get in touch with us to set up a demo or explore ways Postman can help you achieve your API goals. This form requires JavaScript to function. Please enable JavaScript for the best experience on this site. This form is prevented from loading because JavaScript is disabled. Please enable JavaScript for the best experience on this site. Product Enterprise Spec Hub Flows Agent Mode VS Code Extension Postman CLI Integrations API Governance Workspaces Plans and pricing API Network App security Artificial intelligence Communication Data analytics Database Developer productivity DevOps E-commerce eSignature Financial services Payments Travel Resources Postman Docs Academy Community Templates Intergalactic Videos MCP Servers New Legal and Security Legal Terms Hub Terms of Service Postman Product Terms Trust and Safety Website Terms of Use Company About Careers and culture Contact us Partner program Customer stories Student programs Press and media Download Postman Privacy Policy Do Not Sell or Share My Personal Information © 2026 Postman, Inc. Enterprise-ready for modern API programs 98% 300M 1M Learn More | 2026-01-13T08:48:13 |
https://dev.to/porus09/i-got-tired-of-guessing-jvm-performance-so-i-built-a-java-agent-from-scratch-2ab2#comments | I Got Tired of Guessing JVM Performance — So I Built a Java Agent From Scratch 🚀 - DEV Community 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 DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Abhi Posted on Dec 17, 2025 I Got Tired of Guessing JVM Performance — So I Built a Java Agent From Scratch 🚀 # programming # webdev # tutorial # productivity Hey I am Abhishek Mule, I used to do what most backend developers do. When a Spring Boot app felt slow, I’d: 😵💫 Stare at logs until my eyes blurred. ⏱️ Add manual System.currentTimeMillis() timers everywhere. ☁️ Blame the database (it's always the DB, right?). 🙏 And just hope the JVM was behaving. Deep down, I knew the truth: I didn’t actually know what the JVM was doing. Instead of reading another "Top 10 Performance Tips" blog, I decided to do something uncomfortable. I built a JVM agent from scratch. This is the journey of vtracer . The Starting Point: Brutal Silence 🧩 Before this, terms like Instrumentation API and Bytecode transformation were just abstract concepts. When I started, I expected clear error messages. I was wrong. At one point, the JVM simply refused to load my agent. No errors. No stack traces. Just silence. That was Lesson #1: The JVM doesn’t owe you an explanation. If you mess up your bytecode transformer or a manifest entry, the JVM doesn't crash—it just ignores you and moves on. It’s a humbling experience to realize you're invisible to the very system you're trying to track. The 6-Day Build Journey 🛠️ Day 1: Breaking the Seal My only goal: Can I make the JVM acknowledge I exist? I wrote a premain method and finally saw a log line appear inside a target JVM. It felt like cracking open a sealed black box. I finally had an Instrumentation handle . Day 2: The "Explosion" of Reality 💥 I used ByteBuddy to intercept method entry and exit. Immediately, lesson #2 hit: Tracing everything is a disaster. My console became unusable—thousands of lines per second, a blur of text. The app was technically "working," but it was completely unobservable. The Takeaway: Real JVM tooling is about restraint , not power. If you can't filter the noise, you're just adding to the chaos. Day 3: Attaching to Raw Metal (No Restarts) 💉 Using the Attach API , I built a tool to find a running JVM by PID and inject the agent at runtime. No restart. No redeploy. When I attached it to a live Spring Boot app and saw Tomcat internals like Http11Processor.recycle() executing in real-time, it hit me: This is the exact same mechanism used by million-dollar APMs—just without the marketing and the shiny UI. I was finally touching the raw metal of the ecosystem. Day 4: Virtual Threads Aren't Magic 🪄 Java 21's Virtual Threads have massive potential, but they also have massive footguns. I wired a JFR RecordingStream to listen for jdk.VirtualThreadPinned events. I wrote intentionally bad code (a synchronized block inside a virtual thread), and the agent caught it instantly. Virtual threads don’t fix bad blocking—they expose it. Day 5: The Art of Sampling 📉 Tracing 100% of calls is irresponsible. I implemented Sampling (10% rate). This forced me to think like a systems engineer: predictable overhead, controlled allocations, and finding the "useful signal" in a sea of data. Day 6: Structured Reporting I added a Shutdown Hook and JSON output . Now, the agent leaves behind a structured report you can actually analyze, rather than a wall of text you have to scroll past. What vtracer is Today 📍 ✅ Runtime Attachment: No restarts required. ✅ Dynamic Instrumentation: Power of ByteBuddy. ✅ Smart Sampling: Minimal overhead (~2%). ✅ JFR Integration: Detecting Virtual Thread pinning. ✅ Structured JSON: Professional report generation. What vtracer will NEVER be: I’m not building a UI-heavy dashboard or an "AI-powered oracle." vtracer exists to understand the JVM, not to hide it. Why This Project Matters 💡 This project didn't just teach me APIs. It taught me how fragile instrumentation can be and how much is happening below the application code that we take for granted. The Reality Check: If you’ve never attached to a live JVM, you don’t really know Java—you know frameworks. Building this agent permanently changed how I debug, how I read stack traces, and how I think about performance. This project didn’t necessarily make me a "faster" developer. It made me more honest about what I don’t know. 🔗 The Code If you want to stop guessing and start observing, check the source: 👉 GitHub: abhishek-mule/vtracer Java Version: 21+ Status: Early, experimental, and very real. Learning the JVM, one uncomfortable problem at a time. ☕ Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Abhi Follow More than human Joined Nov 26, 2025 More from Abhi Building vtracer: Day 1 – My First Java Agent Adventure with Java 21 # webdev # programming # java # tutorial I Was Tired of Manual Video Editing — So I Built OmniVid Lite # webdev # ai # programming # javascript 💎 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 Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:13 |
https://core.forem.com/t/programming/page/15 | Programming Page 15 - Forem Core 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 Forem Core Close Programming Follow Hide The magic behind computers. 💻 🪄 Create Post Older #programming posts 12 13 14 15 16 17 18 19 20 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:13 |
https://github.com/about | About GitHub · GitHub Skip to content Navigation Menu Toggle navigation Sign in 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 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 }} Let's build from here The complete developer platform to build, scale, and deliver secure software. 150M+ Developers 4M+ Organizations 420M+ Repositories 90% Fortune 100 Blog Read up on product innovations and updates, company announcements, community spotlights, and more. Learn more Brand assets Want to use Mona the octocat? Looking for the right way to display the GitHub logo for your latest project? Download the assets and see how and where to use them. Learn more Community stories Developers are building the future on GitHub every day, explore their stories, celebrate their accomplishments, and find inspiration for your own work. Learn more Customer stories See how some of the most influential businesses around the world use GitHub to provide the best services, products, and experiences for their customers. Learn more Careers Help us build the home for all developers. We’re a passionate group of people dedicated to software development and collaboration. Come join us! Learn more Diversity, Inclusions & Belonging We are dedicated to building a community and team that reflects the world we live in and pushes the boundaries of software innovation. Learn more GitHub Status We are always monitoring the status of github.com and all its related services. Updates and status interruptions are posted in real-time here. Learn more Leadership Meet the leadership team guiding us as we continue on this journey building the world’s largest and most advanced software development platform in the world. Learn more Octoverse Dive into the details with our annual State of the Octoverse report looking at the trends and patterns in the code and communities that build on GitHub. Learn more Policy We’re focused on fighting for developer rights by shaping the policies that promote their interests and the future of software. Learn more Press Explore the latest press stories on our company, products, and global community. Learn more Social Impact Learn about how GitHub’s people, products, and platform are creating positive and lasting change around the world. Learn more Site-wide Links Subscribe to our developer newsletter Get tips, technical guides, and best practices. Twice a month. Subscribe Platform Features Enterprise Copilot AI Security Pricing Team Resources Roadmap Compare GitHub Ecosystem Developer API Partners Education GitHub CLI GitHub Desktop GitHub Mobile GitHub Marketplace MCP Registry Support Docs Community Forum Professional Services Premium Support Skills Status Contact GitHub Company About Why GitHub Customer stories Blog The ReadME Project Careers Newsroom Inclusion Social Impact Shop © 2026 GitHub, Inc. Terms Privacy (Updated 02/2024) 02/2024 Sitemap What is Git? Manage cookies Do not share my personal information GitHub on LinkedIn Instagram GitHub on Instagram GitHub on YouTube GitHub on X TikTok GitHub on TikTok Twitch GitHub on Twitch GitHub’s organization on GitHub English English Português (Brasil) Español (América Latina) 日本語 한국어 You can’t perform that action at this time. | 2026-01-13T08:48:13 |
https://dev.to/challenges/mux-2025-12-03#main-content | DEV's Worldwide Show and Tell Challenge Presented by Mux - DEV Challenge - DEV Community 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 DEV Community Close Challenges > DEV's Worldwide Show and Tell Challenge Presented by Mux Challenge ends soon! Submit your entry now DAYS : HOURS : MINUTES : SECONDS See prompts DEV's Worldwide Show and Tell Challenge Presented by Mux View Entries Please sign in to follow this challenge Record a 1-minute pitch video and show off your project Challenge Status: Ended Ended Join our next Challenge We are so thrilled to introduce DEV's Worldwide Show and Tell Challenge presented by Mux ! Running through January 4 , this challenge invites you to record a 1-minute pitch video about your project and share it with the community. Consider this our version of "Shark Tank" but without the sharks. Have you been thinking about a project for months but haven't gotten started? Take this as your signal to start building! Previous projects welcome too! This is your moment to show off that side project, startup, or previous challenge submission that you worked so hard on but didn't get the recognition for. Whether it's a weekend hack, a passion project you've been refining or thinking about for months, or something in between, we want to see it! Both the Overall Prompt Winner and Best Use of Mux Winner will receive: $1,500 USD cash prize DEV++ Membership Exclusive DEV Badge All Participants with a valid submission will receive a completion badge on their DEV profile. We hope you give it a try! Key Dates Contest start: December 03, 2025 Submissions due: January 04, 2026 Winners announced: January 22, 2026 Badge Rewards Mux Challenge Completion Badge Mux Challenge Winner Badge Find Out More Ask questions and share your ideas on the DEV's Worldwide Show and Tell Challenge Presented by Mux Launch Post. View Launch Post Sponsored by Mux Mux is video infrastructure that makes it easy for development teams to ship high-performance and cost-effective video in minutes, not months. Mux solves the hardest problems developers face when building live and on-demand video into anything from websites to platforms to AI workflows. With Mux's API-first approach, developers can focus on building amazing experiences while Mux handles video encoding, transcoding, delivery, and monitoring at scale. Learn More → Challenge Prompt Overall Prompt: Show and Tell Show off any side project you're proud of. Record a 1-minute pitch video explaining what your project is, what makes it special, and why you built it. Upload the video to Mux and embed it as part of your submission! Additional Prize Category: Best Use of Mux Interested in adding or using Mux in your project? We have a dedicated prize category for participants who use Mux in a fun and interesting way. Check out these resources below for some inspiration. Project Requirements: Must be a software side project that you are building/coding or have built/coded Should be a web or mobile app Must be your own code Make testing easy for us! If your app requires logging in, please provide testing credentials in your submission and/or clear instructions on how to best test your application for judges. App Store/TestFlight links (optional) GitHub Repo (optional) Live demo link (optional) Pitch Video Requirements: Must be 1 minute or less Should clearly cover: What your app does/solves Why you built it What makes it unique or special How it works How To Participate To participate, you'll need to create a free Mux account (no credit card required), upload your video to Mux, and publish a post with your Mux video embedded using the submission template below. Submission Template Judging Criteria: Problem & Opportunity Solution & Technical Approach Value Proposition & Audience Benefit Storytelling & Pitch Quality Scalability & "Would You Invest?" Potential Helpful Links & Resources Getting Started with Mux New to Mux? Here's what you need to know: Getting Started Docs Stream Video Files Mux AI Workflows : Add AI chapter generation, translations, and summarizations to videos AI video generator with Mux & fal.ai : Repo Demo Site Video Semantic Search - Supa Search Repo Demo Site Mux MCP Server Connect: X LinkedIn YouTube Frequently Asked Questions Participation Can I submit to both prompts? Yes! You are welcome to submit to both the overall prompt and the "Best Use of Mux" additional prize category. You can submit a single post that qualifies for both. Can I submit to a prompt more than once? Yes, you can submit multiple submissions per prompt but you'll need to publish a separate post for each submission. Can I work on a team? Yes, you can work on teams of up to four people for the challenge. If you collaborate with anyone, you'll need to list their DEV handles in your submission post so we can award a badge to your entire team! Please only publish one submission per team. DEV does not handle prize-splitting, so in the event that your submission wins cash prizes, you will need to split that amongst yourselves. Thank you for understanding! How old do I have to be to participate? Participants need to be 18+ in order to participate. If I live in X, am I eligible to participate? For eligibility rules, see our official challenge rules . Submission Can I submit a previous project? Yes! Previous projects are welcome. This is your moment to show off that side project, startup, or previous challenge submission that you worked so hard on but didn't get the recognition for. Can my submission include open source code? Riffing on open source code and borrowing and improving on previous work/ideas is encouraged but it's important your changes are significant enough to ensure your submission is valid. When does riffing become plagiarism? It will depend, but transparency is important, license compatibility is important. You can use someone else's code to give you a jumpstart to demonstrate your ideas on top of someone else's base, but not just re-package the base. It should be clear to the judges what you added to the project in terms of the code and conceptual inspiration. This means, you should clearly state what you were building on and what elements are original to this new submission. When building on existing code, we expect a significant change that adds something tangible to the output, such as a new feature, a new endpoint, a new function, or a new presentation. Not just changes to styling or configuration. What happens if my submission is considered plagiarized or invalid? Anything deemed to be plagiarism will not be eligible for prizes. Incidental plagiarism may simply result in your disqualification from the challenge (regardless of the number of other valid submissions you have published). Egregious plagiarism will result in your suspension from DEV entirely. Any non-generic, non-trivial usage of prior work, including open source code must be credited in your submission. Do submissions have to be in English? Non-english submissions are eligible for a completion badge but not eligible for prizes due to the current limitations of our judges. We will not be judging on mastery of the English language, so please don't let this deter you from submitting if you are not a native English speaker! We hope to evolve this in the future to be more accommodating. Do I need a license for my code? You are not required to license your code but we strongly recommend that you do. Here are some you may consider: MIT , Apache , BSD-2 , BSD-3 , or Commons Clause . Can I use AI? Use of AI is allowed as long as all other rules are followed. We want to give you a chance to show off your skills in realistic scenarios. If you use AI tools to help you achieve your submission, all the power to you. Judging and Prizing Can there be ties? In the event of a tie in scoring between judges, the judges will select the entry that received the highest number of positive reactions on their DEV post to determine the winner. How will I know if I won? Winners will be announced in a DEV post on the winner announcement date noted in our key dates section. When will I receive my DEV badge? Both participation and winner badges will be awarded, in most cases, the same day as the winner announcement. When will I receive my prizes? The DEV Team will contact you via the email associated with your DEV profile within, at most, 10 business days of the announcement date to share the details of claiming your prizes. What steps do I need to take to receive my cash prize? The winner (including each member of a team) may be required to sign and return an affidavit of eligibility and publicity/liability release, and provide any additional tax filing information (such as a W-9, social security number or Federal tax ID number) within seven (7) business days following the date of your first email notification. DEV's Worldwide Show and Tell Challenge Presented by Mux Rules NO PURCHASE NECESSARY. Open only to 18+. Contest entry period ends January 4, 2026 at 11:59 PM PST. Contest is void where prohibited or restricted by law or regulation. All entries must be submitted during the contest period. For Official Rules, see DEV's Worldwide Show and Tell Challenge Contest Rules and General Contest Official Rules . Dismiss 💎 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 DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop 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 . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:13 |
https://forem.com/enter?signup_subforem=59&state=new-user | Welcome! - Forem 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 DEV Community Close Join the Forem Forem is a community of 3,676,891 amazing members Continue with Apple Continue with Facebook Continue with GitHub Continue with Google Continue with Twitter (X) OR Email Password Remember me Forgot password? By signing in, you are agreeing to our privacy policy , terms of use and code of conduct . New to Forem? Create account . 💎 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 DEV Community — Your community HQ 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 . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account | 2026-01-13T08:48:13 |
https://core.forem.com/t/programming/page/12 | Programming Page 12 - Forem Core 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 Forem Core Close Programming Follow Hide The magic behind computers. 💻 🪄 Create Post Older #programming posts 9 10 11 12 13 14 15 16 17 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:13 |
https://core.forem.com/t/programming/page/16 | Programming Page 16 - Forem Core 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 Forem Core Close Programming Follow Hide The magic behind computers. 💻 🪄 Create Post Older #programming posts 13 14 15 16 17 18 19 20 21 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:13 |
https://core.forem.com/help | DEV Help - Forem Core 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 Forem Core Close DEV Help The latest help documentation, tips and tricks from the DEV Community. Getting Started with DEV Everything you need to know about getting started on DEV and joining the DEV Community Writing, Editing and Scheduling All the information you need on writing, editing and scheduling posts on DEV. Customizing Your Feed Tailor your reading experience on DEV to suit your preferences. Reacting, Commenting and Engaging Connect with the community, and boost engagement. Badges and Recognition Earn badges to adorn your profile and celebrate your contributions to the DEV Community! Advertising and Sponsorships Support DEV and explore our advertising options Spam and Abuse Use various channels available to provide feedback and report issues to us. Bugs, Vulnerabilities and Feature Requests Help us improve DEV for everyone Fun Stuff Explore for extra enjoyment! Community Resources Community-Crafted Gems, Pro Tips, How-Tos, and Clever Hacks Organizations Everything around Organizations on DEV 4 articles Delete your DEV Account Instructions for deleting your account 💎 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 Forem Core — Discussing the core forem open source software project — features, bugs, performance, self-hosting. 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 . Forem Core © 2016 - 2026. Community building community Log in Create account | 2026-01-13T08:48:13 |
https://docs.microsoft.com/en-us/visualstudio/releases/2019/release-notes-preview#16.6.0-pre.5.0 | Visual Studio 2019 version 16.11 Release Notes | Microsoft Learn Skip to main content Skip to Ask Learn chat experience This browser is no longer supported. Upgrade to Microsoft Edge to take advantage of the latest features, security updates, and technical support. Download Microsoft Edge More info about Internet Explorer and Microsoft Edge Table of contents Exit editor mode Ask Learn Ask Learn Focus mode Table of contents Read in English Add Add to plan Share via Facebook x.com LinkedIn Email Print Note Access to this page requires authorization. You can try signing in or changing directories . Access to this page requires authorization. You can try changing directories . Visual Studio 2019 version 16.11 Release Notes Feedback Summarize this article for me In this article What's New in Visual Studio 2019 version 16.11 Important This is not the latest version of Visual Studio. To download the latest release, please visit https://visualstudio.microsoft.com/downloads/ and see the Visual Studio 2022 release notes . Support Timeframe Visual Studio 2019 version 16.11 is the final supported servicing baseline for Visual Studio 2019. Enterprise and Professional customers needing to adopt a long term stable and secure development environment are encouraged to standardize on this version. As explained in our lifecycle and support policy , version 16.11 will be supported with fixes and security updates through April 2029, which is the remainder of the Visual Studio 2019 product lifecycle. You can acquire the latest most secure version of Visual Studio 2019 version 16.11, by visiting the Visual Studio site, or by going to the downloads section of my.visualstudio.com . You can get updates from the Microsoft Update catalog . For more information about Visual Studio supported baselines, please review the support policy for Visual Studio 2019 . Visual Studio 2019 version 16.11 Releases November 11, 2025 — Visual Studio 2019 version 16.11.53 October 14, 2025 — Visual Studio 2019 version 16.11.52 September 9, 2025 — Visual Studio 2019 version 16.11.51 August 12, 2025 — Visual Studio 2019 version 16.11.50 July 8, 2025 — Visual Studio 2019 version 16.11.49 June 10, 2025 — Visual Studio 2019 version 16.11.48 May 13, 2025 — Visual Studio 2019 version 16.11.47 April 8, 2025 — Visual Studio 2019 version 16.11.46 March 11, 2025 — Visual Studio 2019 version 16.11.45 February 11, 2025 — Visual Studio 2019 version 16.11.44 January 14, 2025 — Visual Studio 2019 version 16.11.43 November 12, 2024 — Visual Studio 2019 version 16.11.42 October 8, 2024 — Visual Studio 2019 version 16.11.41 September 10, 2024 — Visual Studio 2019 version 16.11.40 August 13, 2024 — Visual Studio 2019 version 16.11.39 July 9, 2024 — Visual Studio 2019 version 16.11.38 June 11, 2024 — Visual Studio 2019 version 16.11.37 May 14, 2024 — Visual Studio 2019 version 16.11.36 April 9, 2024 — Visual Studio 2019 version 16.11.35 February 13, 2024 — Visual Studio 2019 version 16.11.34 January 9, 2024 — Visual Studio 2019 version 16.11.33 November 14, 2023 — Visual Studio 2019 version 16.11.32 October 12, 2023 — Visual Studio 2019 version 16.11.31 September 12, 2023 — Visual Studio 2019 version 16.11.30 August 8, 2023 — Visual Studio 2019 version 16.11.29 July 25, 2023 — Visual Studio 2019 version 16.11.28 June 13, 2023 — Visual Studio 2019 version 16.11.27 April 11, 2023 — Visual Studio 2019 version 16.11.26 March 14, 2023 — Visual Studio 2019 version 16.11.25 February 14, 2023 — Visual Studio 2019 version 16.11.24 January 10, 2023 — Visual Studio 2019 version 16.11.23 December 13, 2022 — Visual Studio 2019 version 16.11.22 November 8, 2022 — Visual Studio 2019 version 16.11.21 October 11, 2022 — Visual Studio 2019 version 16.11.20 September 13, 2022 — Visual Studio 2019 version 16.11.19 August 9, 2022 — Visual Studio 2019 version 16.11.18 July 12, 2022 — Visual Studio 2019 version 16.11.17 June 14, 2022 — Visual Studio 2019 version 16.11.16 May 17, 2022 — Visual Studio 2019 version 16.11.15 May 10, 2022 — Visual Studio 2019 version 16.11.14 April 19, 2022 — Visual Studio 2019 version 16.11.13 April 12, 2022 — Visual Studio 2019 version 16.11.12 March 8, 2022 — Visual Studio 2019 version 16.11.11 February 8, 2022 — Visual Studio 2019 version 16.11.10 January 11, 2022 — Visual Studio 2019 version 16.11.9 December 14, 2021 — Visual Studio 2019 version 16.11.8 November 16, 2021 — Visual Studio 2019 version 16.11.7 November 09, 2021 — Visual Studio 2019 version 16.11.6 October 12, 2021 — Visual Studio 2019 version 16.11.5 October 05, 2021 — Visual Studio 2019 version 16.11.4 September 14, 2021 — Visual Studio 2019 version 16.11.3 August 25, 2021 — Visual Studio 2019 version 16.11.2 August 16, 2021 — Visual Studio 2019 version 16.11.1 August 10, 2021 — Visual Studio 2019 version 16.11.0 Visual Studio 2019 Archived Release Notes Visual Studio 2019 version 16.10 Release Notes Visual Studio 2019 version 16.9 Release Notes Visual Studio 2019 version 16.8 Release Notes Visual Studio 2019 version 16.7 Release Notes Visual Studio 2019 version 16.6 Release Notes Visual Studio 2019 version 16.5 Release Notes Visual Studio 2019 version 16.4 Release Notes Visual Studio 2019 version 16.3 Release Notes Visual Studio 2019 version 16.2 Release Notes Visual Studio 2019 version 16.1 Release Notes Visual Studio 2019 version 16.0 Release Notes Visual Studio 2019 Blog The Visual Studio 2019 Blog is the official source of product insight from the Visual Studio Engineering Team. You can find in-depth information about the Visual Studio 2019 releases in the following posts: Visual Studio 2019 v16.11 is Available Now! Visual Studio 2019 v16.10 and v16.11 Preview 1 are Available Today! Enhanced Productivity with Git in Visual Studio Available Today! Visual Studio 2019 v16.9 and v16.10 Preview 1 Visual Studio 2019 v16.9 Preview 3 is Available Today! Visual Studio 2019 v16.9 Preview 2 and New Year Wishes Coming to You! Visual Studio 2019 v16.8 and v16.9 Preview Available Today New Features in Visual Studio 2019 v16.8 Preview 3.1 Visual Studio 2019 v16.8 Preview 2 Releases New Features Today! Visual Studio 2019 v16.7 and v16.8 Preview 1 Release Today! Visual Studio 2019 v16.7 Preview 2 Available Today! Exciting new updates to the Git experience in Visual Studio Releasing Today! Visual Studio 2019 v16.6 & v16.7 Preview 1 Visual Studio 2019 version 16.6 Preview 2 Releases New Features Your Way Visual Studio 2019 version 16.5 is now available! 'Tis the Season for Visual Studio 2019 v16.4 Release Visual Studio 2019 v16.4 Preview 2, Fall Sports, and Pumpkin Spice .NET Core Support and More in Visual Studio 2019 version 16.3 - Update Now! Visual Studio 2019 version 16.3 Preview 2 and Visual Studio 2019 for Mac version 8.3 Preview 2 Released! Visual Studio 2019 version 16.2 and 16.3 Preview 1 now available Visual Studio 2019 version 16.2 Preview 2 Visual Studio 2019 version 16.1 and Preview 16.2 Preview Visual Studio 2019: Code faster. Work smarter. Create the future. Visual Studio 2019 version 16.11.53 released November 11th, 2025 Issues Addressed in this release Update Git for Windows Individual Component to v2.51.1.1 Developer Community New Visual Studio 2022 Updates Include LibCurl Library that Breaks Git Visual Studio 2019 version 16.11.52 released October 14th, 2025 Issues Addressed in this release Updated MinGit to v2.50.1 to address an issue where users with repositories located on ReFS volumes and Windows Server 2022 couldn't perform Git operations with VS IDE . Removed the 32-bit version of the Git for Windows Individual Component for x86 machines, as support dropped per 32-bit . Security advisories addressed CVE-2025-55240 Visual Studio Remote Code Execution Vulnerability - Untrusted Search Path Remote Code Execution Vulnerability in Gulpfile Visual Studio 2019 version 16.11.51 released September 9th, 2025 Issues Addressed in this release This update includes fixes pertaining to Visual Studio compliance. Visual Studio 2019 version 16.11.50 released August 12th, 2025 Issues Addressed in this release The following Windows SDK versions have been removed from the Visual Studio 2019 installer: 10.0.16299.0 10.0.17134.0 10.0.17763.0 10.0.18362.0 10.0.20348.0 10.0.22000.0 If you previously installed one of these versions of the SDK using Visual Studio it will be uninstalled when you update. If your project targets any of these SDKs you may encounter a build error such as: The Windows SDK version 10.0.22000.0 was not found. Install the required version of Windows SDK or change the SDK version in the project property pages or by right-clicking the solution and selecting "Retarget solution". To resolve this, we recommend retargeting your project to 10.0.22621.0, or an earlier supported version if necessary. For a complete list of supported SDK versions please visit: https://developer.microsoft.com/windows/downloads/sdk-archive/ . If you need to install an unsupported version of the SDK, you can find it here: https://developer.microsoft.com/windows/downloads/sdk-archive/index-legacy/ . Visual Studio 2019 version 16.11.49 released July 8th, 2025 Issues Addressed in this release Security advisories addressed CVE-2025-49739 Visual Studio - Elevation Of Privilege - Time-of-check to time-of-use in Standard Collector Service allows Local privilege escalation CVE-2025-27613 Gitk Arguments Vulnerability CVE-2025-27614 Gitk Abitryary Code Execution Vulnerability CVE-2025-46334 Git Malicious Shell Vulnerability CVE-2025-46835 Git File Overwrite Vulnerability CVE-2025-48384 Git Symlink Vulnerability CVE-2025-48385 Git Protocol Injection Vulnerability CVE-2025-48386 Git Credential Helper Vulnerability Visual Studio 2019 version 16.11.48 released June 10th, 2025 Issues Addressed in this release Updated the VS installer to include the latest servicing releases for Windows SDK versions 10.0.19041.0 and 10.0.22621.0. Visual Studio 2019 version 16.11.47 released May 13th, 2025 Issues Addressed in this release Fixed an issue in the modern query work item TFVC checkin-policy that prevented the project name from being retrieved. Fixed an issue in the forbidden patterns TFVC check-in policy that caused the patterns to be "forgotten" by the policy after it was created. Security advisories addressed CVE-2025-32703 Access to ETW tracing not known by Admin installing VS on the machine CVE-2025-32702 Remote Code Execution due to nuget package squatting CVE-2025-26646 .NET - Spoofing - Elevation of Privilege in msbuild's DownloadFile tasks default behaviors Visual Studio 2019 version 16.11.46 released April 8th, 2025 Issues addressed in this release Added support for modern TFVC Check-in Policies, as well as guidance and warnings when obsolete TFVC Check-in Policies are being applied. Visual Studio 2019 version 16.11.45 released March 11th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-25003 Visual Studio Elevation of Privilege Vulnerability CVE-2025-24998 Visual Studio Installer Elevation of Privilege Vulnerability Visual Studio 2019 version 16.11.44 released February 11th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-21206 Visual Studio Installer Elevation of Privilege - Uncontrolled Search Path Element allows an unauthorized attacker to elevate privileges locally. CVE-2023-32002 Node.js Module._load() policy Remote Code Execution - The use of Module._load() can bypass the policy mechanism and require modules outside of the policy.json definition for a given module. Visual Studio 2019 version 16.11.43 released January 14th, 2025 Issues addressed in this release Security advisories addressed CVE-2025-21172 .NET and Visual Studio Remote Code Execution Vulnerability CVE-2025-21176 .NET, .NET Framework, and Visual Studio Remote Code Execution Vulnerability CVE-2025-21178 Visual Studio Remote Code Execution Vulnerability CVE-2024-50338 Carriage-return character in remote URL allows malicious repository to leak credentials Visual Studio 2019 version 16.11.42 released November 12th, 2024 Issues addressed in this release Developer Community Microsoft GDK for Xbox builds all fail with VS 2019 16.11.41 servicing release Visual Studio 2019 version 16.11.41 released October 8th, 2024 Issues addressed in this release Security advisories addressed CVE-2024-43603 Denial of Service Vulnerability in Visual Studio Collector Service CVE-2024-43590 Elevation of Privilege Vulnerability in Visual Studio C++ Redistributable Installer Visual Studio 2019 version 16.11.40 released September 10th, 2024 Issues addressed in this release Security advisories addressed CVE-2024-35272 SQL Server Native Client OLE DB Provider Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.39 released August 13th, 2024 Issues addressed in this release IntelliCode model update, so users will get the models directly and are no longer dependent on backend services for downloads. Security advisories addressed CVE-2024-29187 (Republished) - WiX based installers are vulnerable to binary hijack when run as SYSTEM Visual Studio 2019 version 16.11.38 released July 9th, 2024 Issues addressed in this release Version 6.2 of AzCopy is no longer distributed as part of the Azure Workload in Visual Studio due to deprecation. The latest supported release of AzCopy can be downloaded from Get started with AzCopy . Update MinGit to v2.45.2.1 that includes GCM 2.5 which addresses an issue with the previous GCM version where it reported an error back to Git after cloning and made it appear like the clone had failed. Visual Studio 2019 version 16.11.37 released June 11th, 2024 Issues addressed in this release After upgrading to Germanium build of Windows, WSL requires a manual upgrade. This can cause Visual Studio to hang when opening CMake projects. Security advisories addressed CVE-2024-30052 Remote Code Execution when debugging dump files that contain a malicious file with an appropriate extension CVE-2024-29060 Elevation of Privilege where affected installation of Visual Studio is running CVE-2024-29187 WiX based installers are vulnerable to binary hijack when run as SYSTEM Visual Studio 2019 version 16.11.36 released May 14th, 2024 Issues addressed in this release This release includes an OpenSSL update to v3.2.1 Security advisories addressed CVE-2024-32002 Recursive clones on case-insensitive filesystems that support symlinks are susceptible to Remote Code Execution. CVE-2024-32004 Remote Code Execution while cloning special-crafted local repositories Visual Studio 2019 version 16.11.35 released April 9th, 2024 Issues addressed in this release With this bug fix, a client can now use the bootstrapper in a layout and pass in the --noWeb parameter to install on a client machine and ensure that both the installer and the Visual Studio product are downloaded only from the layout. Previously, sometimes during the installation process, the installer would not respect the -noWeb parameter and would try to self-update itself from the web. Security advisories addressed CVE-2024-28929 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28930 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28931 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28932 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28933 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28934 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28935 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28936 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28937 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28938 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28941 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-28943 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. CVE-2024-29043 This update addresses a remote code execution vulnerablity in the Microsoft ODBC Driver for Microsoft SQL Server. Visual Studio 2019 version 16.11.34 released February 13th, 2024 Issues addressed in this release Developer Community fatal error C1001: Internal compiler error VS2022 is using too old node.js version 16 - any plans to upgrade? Security advisories addressed CVE-2024-0057 A security feature bypass vulnerability exists when Microsoft .NET Framework-based applications use X.509 chain building APIs but do not completely validate the X.509 certificate due to a logic flaw. Visual Studio 2019 version 16.11.33 released January 9th, 2024 Issues Addressed in this release Updated MinGit to v2.43.0.1 which comes with OpenSSL v3.1.4 and addresses a regression where network operations were really slow under certain circumstances. Security Advisories Addressed CVE-2024-20656 A vulnerability exists in the VSStandardCollectorService150 service, where local attackers can escalate privileges on hosts where an affected installation of Microsoft Visual Studio is running. CVE-2023-32027 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32025 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32026 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-29356 This advisory is republished to address a Microsoft ODBC Driver for SQL Server Remote Code Execution vulnerability in Visual Studio. CVE-2023-32028 This advisory is republished to address a Microsoft SQL OLE DB Remote Code Execution vulnerability in Visual Studio. CVE-2023-29349 This advisory is republished to address a Microsoft ODBC and OLE DB Remote Code Execution vulnerability in Visual Studio. Visual Studio 2019 version 16.11.32 released November November 14th, 2023 Issues Addressed in this release Developer Community Rename Solution Folder in VS2019 results in Object Reference error Security Advisories Addressed CVE-2023-36042 A denial of service vulnerability exists in Visual Studio where a malformed decorated name can result in an infinite loop. Visual Studio 2019 version 16.11.31 released October 10th, 2023 Issues Addressed in this release Updated version of Git used by Visual Studio to v 2.41.0.3. Visual Studio 2019 version 16.11.30 released September 12th, 2023 Issues Addressed in this release Security Advisories Addressed CVE-2023-36796 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36794 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36793 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36792 This security update addresses a vulnerability in DiaSymReader.dll when reading a corrupted PDB file which can lead to Remote Code Execution. CVE-2023-36759 This security update removes pgodriver.sys, where reading a malicious file can lead to Elevation of Privilege Visual Studio 2019 version 16.11.29 released August 8th, 2023 Issues Addressed in this release Addressed an issue where VSWhere's all switch would not return instances in an un-launchable state. Security Advisories Addressed CVE-2023-36897 Visual Studio 2010 Tools for Office Runtime Spoofing Vulnerability This security update addresses a vulnerability where unauthenticated remote attacker can sign VSTO Add-ins deployments without a valid code signing certificate. Visual Studio 2019 version 16.11.28 released July 25th, 2023 Issues Addressed in this release error in creating project in web application Visual Studio 2019 version 16.11.27 released June 13th, 2023 Issues Addressed in this release ActiveX Control Variable wizard will generate ActiveX properties as well as functions, restoring the functionality from Visual Studio 2015. As part of this update, to address CVE-2023-27909, CVE-2023-27910, and CVE-2023-27911, we are removing .fbx and .dae support. This is a third-party x86 component that is no longer supported by the author. Affected users should use the fbx editor . Developer Community JSON Schemas don't work with localized Visual Studio JumpThreading Fix for JT value numbering invalidation Security Advisories Addressed CVE-2023-24897 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in the MSDIA SDK where corrupted PDBs can cause heap overflow, leading to a crash or remote code execution. CVE-2023-25652 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability where specially crafted input to git apply –reject can lead to controlled content writes at arbitrary locations. CVE-2023-25815 Visual Studio Spoofing Vulnerability This security update addresses a vulnerability where Github localization messages refer to a hard-coded path instead of respecting the runtime prefix that leads to out-of-bound memory writes and crashes. CVE-2023-29007 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which a configuration file containing a logic error results in arbitrary configuration injection. CVE-2023-29011 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which the Git for Windows executable responsible for implementing a SOCKS5 proxy is susceptible to picking up an untrusted configuration on multi-user machines. CVE-2023-29012 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability in which the Git for Windows Git CMD program incorrectly searches for a program upon startup, leading to silent arbitrary code execution. CVE-2023-27909 Visual Studio Remote Code Execution Vulnerability This security update addresses an Out-Of-Bounds Write Vulnerability in Autodesk® FBX® SDK where version 2020 or prior may lead to code execution through maliciously crafted FBX files or information disclosure. CVE-2023-27910 Visual Studio Information Disclosure Vulnerability This security update addresses a vulnerability where a user may be tricked into opening a malicious FBX file that may exploit a stack buffer overflow vulnerability in Autodesk® FBX® SDK 2020 or prior which may lead to remote code execution. CVE-2023-27911 Visual Studio Remote Code Execution Vulnerability This security update addresses a vulnerability where a user may be tricked into opening a malicious FBX file that may exploit a heap buffer overflow vulnerability in Autodesk® FBX® SDK 2020 or prior which may lead to remote code execution. CVE-2023-33139 Visual Studio Information Disclosure Vulnerability This security update addresses a OOB vulnerability where the obj file parser in Visual Studios leads to information disclosure. Visual Studio 2019 version 16.11.26 released April 11th, 2023 Issues Addressed in this release Fixed an issue in IIS Express that could cause a crash when updating telemetry data. Fixed a crash when invalid input is sent to the driver used during PGO training for kernel mode drivers. Developer Community iisexpress crashes in ntdll.dll Security Advisories Addressed CVE-2023-28296 Visual Studio Remote Code Execution Vulnerability CVE-2023-28299 Visual Studio Spoofing Vulnerability CVE-2023-28262 Visual Studio Elevation of Privilege Vulnerability CVE-2023-28263 Visual Studio Information Disclosure Vulnerability Visual Studio 2019 version 16.11.25 released March 14th, 2023 Issues Addressed in this release Git 2.39 has renamed the value for credential.helper from "manager-core" to "manager". See https://aka.ms/gcm/rename for more information. Updates to mingit and Git for Windows package to v2.39.2, which addresses CVE-2023-22490 Security Advisories Addressed CVE-2023-22490 Mingit Remote Code Execution Vulnerability CVE-2023-22743 Git for Windows Installer Elevation of Privilege Vulnerability CVE-2023-23618 Git for Windows Remote Code Execution Vulnerability CVE-2023-23946 Mingit Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.24 released February 14th, 2023 Issues Addressed in this release Updated CPython interpreter to version 3.9.13. Updated mingit and Git for Windows package to v2.39.1.1, which addresses CVE-2022-41903 Security Advisories Addressed CVE-2023-21566 Visual Studio Installer Elevation of Privilege Vulnerability CVE-2023-21567 Visual Studio Denial of Service Vulnerability CVE-2023-21808 .NET and Visual Studio Remote Code Execution Vulnerability CVE-2023-21815 Visual Studio Remote Code Execution Vulnerability CVE-2023-23381 Visual Studio Code Remote Code Execution Vulnerability CVE-2022-23521 gitattributes parsing integer overflow CVE-2022-41903 Heap overflow in git archive , git log --format leading to RCE CVE-2022-41953 Git GUI Clone Remote Code Execution Vulnerability Visual Studio 2019 version 16.11.23 released January 10th, 2023 Security Advisories Addressed CVE-2023-21538 .NET Denial of Service Vulnerability A denial of service vulnerability exists in .NET 6.0 where a malicious client could cause a stack overflow which may result in a denial of service attack when an attacker sends an invalid request to an exposed endpoint. Visual Studio 2019 version 16.11.22 released December 13th, 2022 Security Advisories Addressed CVE-2022-41089 Remote Code Execution A remote code execution vulnerability exists in .NET Core 3.1, .NET 6.0, and .NET 7.0, where a malicious actor could cause a user to run arbitrary code as a result of parsing maliciously crafted xps files. Visual Studio 2019 version 16.11.21 released November 8th, 2022 Issues Addressed in this release Added conditional guards to fix incorrect references in AMD64 optimizations for boost, stl_interfaces. Security Advisories Addressed CVE-2022-41119 Remote Code Execution Heap Overflow Vulnerbaility in Visual Studio CVE-2022-39253 Information Disclosure Local clone optimization dereferences symbolic links by default Visual Studio 2019 version 16.11.20 released October 11, 2022 Issues Addressed in this release Made Resource View appear more reliably for projects that are reloaded Administrators will be able to update the VS Installer on an offline client machine from a layout without updating VS. Security Advisories Addressed CVE-2022-41032 .NET Elevation of Privilege Vulnerability A vulnerability exists in .NET 7.0.0-rc.1, .NET 6.0, .NET Core 3.1, and NuGet clients (NuGet.exe, NuGet.Commands, NuGet.CommandLine, NuGet.Protocol) where a malicious actor could cause a user to execute arbitrary code. Visual Studio 2019 version 16.11.19 released Septemenber 13, 2022 Issues Addressed in this release Made Resource View appear more reliably for projects that are reloaded Security Advisories Addressed CVE-2022-38013 .NET Denial of Service Vulnerability A denial of service vulnerability exists in ASP.NET Core 3.1 and .NET 6.0 where a malicious client could cause a stack overflow which may result in a denial of service attack when an attacker sends a customized payload that is parsed during model binding. Visual Studio 2019 version 16.11.18 released August 9th, 2022 From Developer Community Coded UI in VS2019 - VS crashing when opening and/or expanding UI maps Launching multiple startup projects fails with the error message Security Advisories Addressed CVE-2022-34716 .NET Information Disclosure Vulnerability An information disclosure vulnerability exists in .NET 6.0 and .NET Core 3.1 that could lead to unauthorized access of privileged information. CVE-2022-31012 Remote Code Execution Git for Windows' installer can be tricked into executing an untrusted binary CVE-2022-29187 Elevation of Privilege Malicious users can create a .git directory in a folder that is owned by a super-user CVE-2022-35777 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap overflow Vulnerability CVE-2022-35825 Remote Code Execution Visual Studio 2022 Preview Fbx File parser OOBW Vulnerability CVE-2022-35826 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap overflow Vulnerability CVE-2022-35827 Remote Code Execution Visual Studio 2022 Preview Fbx File parser Heap OOBW Vulnerability Visual Studio 2019 version 16.11.17 released July 12, 2022 Issues Addressed in this release Updated LibraryManager to accommodate changes to cdnjs API From Developer Community Crash with ASAN and setmaxstdio Visual Studio 2019 version 16.11.16 released June 14, 2022 From Developer Community IntelliSense issues with C++ on VS 2019 v16.11.6 or newer, including VS 2022 17.0.5, 17.0.6 and 17.1.0 Security Advisories Addressed CVE-2022-30184 .NET Information Disclosure Vulnerability A vulnerability exists in .NET 6.0 and .NET Core 3.1 within NuGet where a credential leak can occur. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.15 released May 17, 2022 Issues Addressed in this release Fixed connections for Azure SQL Managed Instance in SQL Server Data Tools, including Schema Compare and SQL Server explorer. Note: Support for Azure Arc enabled Managed Instance is pending a future release ( In the Community ) From Developer Community Is SSDT Schema Compare broken for Azure DB Managed Instance connections? Visual Studio 2019 version 16.11.14 released May 10, 2022 Issues Addressed in this release Added the implementation for the remaining C++20 defect reports (a.k.a. backports). All C++20 features are now available under the /std:c++20 switch. For more information about the implemented backports, please see C++20 Defect Reports project on microsoft/STL GitHub repository and this blogpost Updated Git for Windows version consumed by Visual Studio and installable optional component to 2.36.0.1 Fixed an issue with git integration, where if pulling/synchronizing branches that have diverged, output window would not show a localized hint on how to resolve it. From Developer Community Visual Studio 2019 creates bad key vault secret value while configuring Azure Cloud Service remote desktop, breaking VS UI Security Advisories Addressed CVE-2022-29117 .NET Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can manipulate cookies and cause a Denial of Service. CVE-2022-23267 .NET Core Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can cause a Denial of Service via excess memory allocations through HttpClient. CVE-2022-29145 .NET Denial of Service Vulnerability A vulnerability exists in .NET 6.0, .NET 5.0 and .NET Core 3.1 where a malicious client can can cause a Denial of Service when HTML forms are parsed. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.13 released April 19, 2022 Issues Addressed in this release Fixed vctip.exe regression from 16.11.12 Fixed a bug that prevented some applications built with Address Sanitizer (ASAN) to load in Windows 11. Fixed another ASAN issue where multi-threaded applications with heap contention may experience deadlocks, false "wild pointer freed" reports, or a deadlock during process exit. Visual Studio 2019 version 16.11.12 released April 12, 2022 Issues Addressed in this release Fixed an issue that would cause some animations for test execution to run in the background even when the associated test executions were complete. This causes slowdowns that were especially noticeable on high refresh rate monitors. The fix should improve the experience of using VS on high refresh rate monitors. Removed an unnecessary warning when connecting to a LiveShare server that didn't offer certain functionality used by the client. From Developer Community Optimized Qt applications crash on startup on ARM64 I get an error Live Share: The user of the output channel works with limited functionality due to the absence of a dependent service. Find in IVsTextImage does not work in VisualStudio 2019 Security Advisories Addressed CVE-2022-24765 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists in Git for Windows, in which Git operations could run outside a repository while seraching for a Git directory. Git for Windows is now updated to version 2.35.2.1. CVE-2022-24767 DLL hijacking vulnerability A potential DLL hijacking vulnerability exists in Git for Windows installer, when running the uninstaller under the SYSTEM user account. Git for Windows is now updated to version 2.35.2.1. CVE-2022-24513 Elevation of privilege vulnerability A potential elevation of privilege vulnerability exists when the Microsoft Visual Studio updater service improperly parses local configuration data. Visual Studio 2019 version 16.11.11 released March 8, 2022 Issues Addressed in this release Fixed an issue with remote debugging, especially affecting Azure App Service, where authentication failures would sometimes fail with 'The connection with the remote endpoint was terminated' and Visual Studio would not prompt for credentials. Improved performance on high refresh rate monitors. From Developer Community Internal compiler error in fold expression with += operator on 16.11 consteval constructor and C7595 cl does not make special member functions implicitly constexpr Can't have freestanding requires expressions There are no configured extension galleries in VS 2019 Sql Server object explorer does not show indexes SQL project does not build if it has File storage tables Security Advisories Addressed CVE-2020-8927 Vulnerability A Remote code Execution vulnerability exists in .NET 5.0 and .NET Core 3.1 where a buffer overflow exists in the Brotli library versions prior to 1.0.8. CVE-2022-24464 Vulnerability A denial of service vulnerability exists in .NET 6.0, .NET 5.0, and .NET CORE 3.1 when parsing certain types of http form requests. CVE-2022-24512 Vulnerability A Remote Code Execution vulnerability exists in .NET 6.0, .NET 5.0, and .NET Core 3.1 where a stack buffer overrun occurs in .NET Double Parse routine. CVE-2021-3711 OpenSSL Buffer Overflow vulnerability A potential buffer overflow vulnerability exists in OpenSSL, which is consumed by Git for Windows. Git for Windows is now updated to version 2.35.1.2, which addresses this issue. Visual Studio 2019 version 16.11.10 released February 8, 2022 Issues Addressed in this Release Fixed an issue that has caused sporadic C++ linker crashes. Silent bad codegen issue with x64. An issue that prevented files from being deleted while they were being processed by background C++ static analysis. Resolved an issue in C++ ATL CString equality operator under C++20 mode. Fixed an issue that could have prevented an initializer from running in a load test scenario. From Developer Community Missing comparison operators between LPCWSTR and CString in VS 16.11.8 x64 optimizer bug VC++2019 16.11.4 Security Advisories Addressed CVE-2022-21986 Vulnerability A Denial of Service vulnerability exists in .NET 5.0 and .NET 6.0 when the Kestrel web server processes certain HTTP/2 and HTTP/3 requests. Visual Studio 2019 version 16.11.9 released January 11, 2022 Issues Addressed in this Release Fixed an issue with being unable to debug applications multiple times when Windows Terminal is used as the default terminal. Setup fix to unblock customers on restricted configurations Fixed an issue that prevented a client from being able to update a more current bootstrapper. Once the client is using the bootstrapper and installer that shipped January 2022 or later, all updates using subsequent bootstrappers should work for the duration of the product lifecycle. Addressed occasional instance where VSInstr would not exit when instrumenting a binary with volatile metadata causing Instrumentation Profiling to fail. Fixed an issue were compiling C++ code with very large functions using /Og or #pragma optimize("g") can generate invalid code (bad codegen) Fixed a bug in C++ Concurrency::parallel_for_each that was crashing the calling process due to integer overflow From Developer Community Console application runs only once when the Windows Terminal is selected as Default Terminal Application Visual Studio 2019 version 16.11.8 released December 14, 2021 Issues Addressed in this Release Bidirectional text control character rendering To prevent a potentially malicious exploit that allows code to be misrepresented, the Visual Studio editor will no longer allow bidirectional text control characters to manipulate the order of characters on the editing surface. A new option will cause these bidirectional text control characters to be shown with placeholders. The bidirectional text control characters will still be present in the code as this behavior only impacts what is rendered in the code editor. This functionality is controlled in Tools\Options. Under the Text Editor\General page there is an option for “Show bidirectional text control characters”, which will be checked by default. When checked, all bidirectional text control characters will be rendered as placeholders. Unchecking the option will revert to the previous behavior where these characters are not rendered. A Unicode character is considered a bidirectional text control character if it falls into any of the following ranges: U+061c, U+200e-U+200f, U+202a-U+202e, U+2066-U+2069. Corrected an issue in C++ compiler where a templated destructor involved in a class hierarchy with data member initializers may be instantiated too early, potentially leading to incorrect diagnostics about uses of undefined types or other errors. Fixed an issue in ATL's CString comparisions under C++20 and C++Latest language modes. Added Python 3.9.7 to Python workload. Removed Python 3.7.8 due to a security vulnerability. From Developer Community Referenced DacPac file causes deployment to process refactorlog even if IncludeCompositeObjects is false CString with spaceship operator <=> returns incorrect result (affects std::map, std::set, etc.) Visual Studio sqldb project unable to create primary key with (statistics_incremental = on) on table Template inheritance sometimes forces improper instantiation. Visual Studio 2019 freezes when comparing aspx/aspx.vb files Microsoft.Azure.Compute.Emulator.EXE will not be updated Security Advisories Addressed CVE-2021-43877 .NET Vulnerability An elevation of privilege vulnerability exists in ANCM which could allow elevation of privilege when .NET core, .NET 5 and .NET 6 applications are hosted within IIS. CVE-2021-42574 Bidirectional Text Vulnerability Bidirectional text control characters can be used to cause code to be rendered in the editor differently from what is contained on disk. Visual Studio 2019 version 16.11.7 released November 16, 2021 Issues Addressed in this Release Adds Xcode 13.1 support. The bootstrappers now respect the --useLatestInstaller parameter, which causes the latest installer to be integrated into layout. This latest installer, which ships with Visual Studio 2022, enables the scenario where enterprises want to transition their clients from one layout location to another. For more information, refer to the [Visual Studio Administrators Guide](* The bootstrappers now respect the --useLatestInstaller parameter, which causes the latest installer to be integrated into layout. This latest installer, which ships with Visual Studio 2022, enables the scenario where enterprises want to transition their clients from one layout location to another. For more information, refer to the Visual Studio Administrators Guide .). Fixed an issue wehre WAP projects would not appear in the startup projects tool bar combo box. Fixed issue with Windows Application Projects (WAP) where, in certain circumstances, final application bundle contains wrong binaries. Prevent opening "Team Explorer > Manage Connections" or "Git Changes" windows from causing TFVC solutions to be unloaded. From Developer Community Starting Version 16.8.0 up to 16.9.1 becomes unresponsive and restarts frequently IntelliSense error with std::source_location::current() Visual Studio 2019 version 16.10 - UWP - Xamarin: Runtime exception 'Could not load file or assembly' after updating to Visual Studio 16.10 Visual Studio 2019 version 16.11.3 - Packaging UWP application fails 16.11.6: Package 'AndroidImage_x86_API125_Private,version=10.0.0.3' failed to install Visual Studio 2019 version 16.11.6 released November 09, 2021 Issues Addressed in this Release Address occasional instance where VSInstr would not exit when instrumenting a binary with volatile metadata. Fix for "value of range" errors when using C++ IntelliSense. Under certain conditions with an international locale selected fsi would crash when run from Visual Studio. This release fixes the issue and fsi should now operate correctly. Fixes an issue that could cause Visual Studio to build, debug, or run tests against binaries that weren't brought up to date with your latest code changes. Fixes a thread pool leak during Cloud Services local debugging. Add support for Android 12 APIs. Fixes a potential deadlock when closing Performance Profiler or Diagnostic Tools on Windows Server machines. Fixes a delay in VS startup. Security Advisories Addressed CVE-2021-42319 Elevation of Privilege Vulnerability An Elevation of Privilege vulnerability exists in the WMI Provider that is included in the Visual Studio installer. CVE-2021-42277 Diagnostics Hub Standard Collector Service Elevation of Privilege Vulnerability An elevation of privilege vulnerability exists when the Diagnostics Hub Standard Collector incorrectly handles file operations. Visual Studio 2019 version 16.11.5 released October 12, 2021 Issues Addressed in this Release Security Advisories Addressed CVE-2020-1971 OpenSSL Denial of Service Vulnerability A potential denial of service vulnerability exists in OpenSSL library, which is consumed by Git. CVE-2021-3449 OpenSSL Denial of Service Vulnerability A potential denial of service vulnerability exists in OpenSSL library, which is consumed by Git. CVE-2021-3450 OpenSSL Denial of Service Vulnerability A potential flag bypass exists in OpenSSL library, which is consumed by Git. CVE-2021-41355 .NET Disclosure Vulnerability An Information Disclosure vulnerability exists in .NET where System.DirectoryServices.Protocols.LdapConnection sends credentials in plain text on Linux. Visual Studio 2019 version 16.11.4 released October 05, 2021 Issues Addressed in this Release Windows 11 SDK support. Add AMD64 math functions to ARM64X CRT. Updates to the ARM64 and ARM64EC interfaces between the binary and the POGO instrumentation runtime. Fixed several problems with IntelliSense responsiveness and correctness affecting C++20 concepts, ranges, and abbreviated function templates. Fixed a false positive in local lifetime checks. Corrected an issue where arrays allocated with a constant of size > 32bits could allocate less memory than requested. Ensures that ATL string initialization occurs during static variable initialization, in the default AppDomain. Fixed a bug in C++ Concurrency::parallel_for_each that was crashing the calling process due to integer overflow. Fixed a bug in the STL's iterator debugging machinery that could cause crashes in multithreaded programs using STL containers. We have fixed a fatal internal compiler error caused by unnamed structs whose fields are referenced from SAL annotations. Fixes a rare crash when analyzing templated code that uses __uuidof. Fixed an issue that caused C++ static analysis results to sometimes not display correctly in the FixIt action. Fixed opening .uitest extension files in Coded UI project Fire component change events for non-component objects also in WinForms .NET designer Fix for crash on deleting ContextMenuStrip control in Windows Forms .NET designer. Guard against crashes when the Windows Forms designer reloads when dragging. Fix for intermittent VS crash while interacting with WinForms .NET designer during solution or project rebuild. Fixed a bug causing .NET 5 projects to be reported as out of date when they should have been up to date, causing slower builds. Automatically disable asset-indexing for large scale Unity projects. Adds Xcode 13.0 support. This release fixes an issue with deploying certain Windows Application Packaging projects where deployment is unnecessarily copying unmodified files. From Developer Community Comparing CComPtr with CComPtr results in an error Structured binding in lambda in lambda cause a invalid compile error Bad codegen with operator new WinARM64 Build Failures with MFC/ATL Link issues after migrating from VS 16.8.6 to VS 16.9.5 The unity codelens provider still requires a huge amount of memory and could be OOMed in large scale Unity project in version 16.11. Error C3493 with /std:c++latest using structured binding in Lambda Visual Studio 2019 version 16.11.3 released September 14, 2021 Issues Addressed in this Release Fixed missing "Remote Device" debug target for Xamarin iOS projects. Fixed a bug that caused a start menu shortcut link to disappear. The bug only happened when updating multiple instances of different product SKUs on the same machine. From Developer Community Visual Studio UI unresponsive when too much build log output during build (eg: diagnostic verbosity) Live Unit Testing Crashes on start up "Remote device" not listed in devices Designer crashes for 32-bit apps whenever you scroll wheel over it Security Advisories Addressed CVE-2021-26434 Visual Studio Incorrect Permission Assignment Privilege Escalation Vulnerability A permission assignment vulnerability exists in Visual Studio after installing the Game development with C++ and selecting the Unreal Engine Installer workload. The system is vulnerable to LPE during the installation it creates a directory with write access to all users. Visual Studio 2019 version 16.11.2 released August 25, 2021 Issues Addressed in this Release Fixed an issue where CMake cache generation would fail, which blocked IntelliSense, build, and debug. Fixed warning "Evaluating the function 'System.Diagnostics.TraceInternal.Listeners.get' timed out and needed to be aborted in an unsafe way" when starting debugging on some .NET and dotnet Core application. From Developer Community CMake cache generation "hangs" after upgrade from vs2019 16.11.0 to 16.11.1 Could not find any resources appropriate for the specified culture or the neutral culture. Make sure "Microsoft.VisualStudio.Data.Providers.SqlServer Build Selection stopped working VS 16.11 Visual Studio 2019 version 16.11.1 released August 16, 2021 Issues Addressed in this Release Fixes an issue installing the Microsoft.VisualStudio.ScriptedHost.Registry package during Visual Studio installation, which would cause the entire installation to fail. Unblocked Adding a new SSH Connection through Tools Options From Developer Community PackageId:Microsoft.VisualStudio.ScriptedHost.Registry;PackageAction:Install;ReturnCode:635 Visual Studio 2019 version 16.11.0 released August 10, 2021 Summary of What's New in this Release of Visual Studio 2019 version 16.11.0 Updated Help Menu Updated menu highlights Get Started material and helpful Tips/Tricks. It also provides access to Developer Community, Release Notes, the Visual Studio product Roadmap, and our Social Media pages. New My Subscription menu item allows developers to make the most out of their subscriptions through benefit awareness and additional information! Git tooling Access additional actions from the overflow menu in the branch picker in Git Changes window and status bar. Hover over a branch name to see last commit details in a tooltip. Access additional actions in the repository picker overflow menu from the status bar. Hover over a repository name to see repository details such as local path and remote URL. C++ LLVM tools shipped with Visual Studio have been upgraded to LLVM 12. See the LLVM release notes for details. Clang-cl support was updated to LLVM 12. Setup Fixed an issue that affected command line execution of the update command. If the update fails the first time, a subsequent issuing of the update command now causes the update to resume the prior operation where it left off. .NET Hot Reload .NET Hot Reload User Experience for editing managed code at runtime. Details of What's New in this Release of Visual Studio 2019 version 16.11.0 .NET Hot Reload User Experience for editing managed code at runtime In this release we are excited to make available the first release of the new Hot Reload user experience when editing code files for applications such as WPF, Windows Forms, ASP.NET Core, Console, etc. With Hot Reload you can | 2026-01-13T08:48:13 |
https://coderabbit.ai/terms-of-service | Terms of Service | AI Code Reviews | CodeRabbit Features Enterprise Customers Pricing Blog Resources Docs Trust Center Contact Us FAQ Log In Get a free trial Updated: March 13th, 2025 Terms of Service Introduction This Terms of Service is a contract entered into by and between You (“ you ” or “ User ”) and CodeRabbit, Inc. (“ CodeRabbit ,” “ We ,” or “ us ”) and our affiliates, to the extent expressly stated. These terms and conditions (together with our Privacy Policy, these “ Terms of Service ” or “ Terms ”) govern your access to and use of https://coderabbit.ai ( “Website ”), our web application (our “ App ”) and any software, application, content, functionality, and services (collectively, the “ Services ”) offered by CodeRabbit, whether as a guest or registered user. Please read these Terms of Service carefully before you start to use or access our Services. By using our Services, you accept and agree to be bound and abide by these Terms. If you are not eligible or do not agree to these Terms of Service, then you do not have permission to use the Service and you must not access or use our Services. ARBITRATION NOTICE . Except for certain kinds of disputes described in Section 18, you agree that disputes arising under these Terms will be resolved by binding, individual arbitration, and BY ACCEPTING THESE TERMS, YOU AND CODERABBIT ARE EACH WAIVING THE RIGHT TO A TRIAL BY JURY OR TO PARTICIPATE IN ANY CLASS ACTION OR REPRESENTATIVE PROCEEDING. Your ability to use or access the Services is dependent on the third parties, such as GitHub or GitLab. You acknowledge and agree that your ability to access and use the Services is governed by the Terms of these third parties, and those Terms may change at their discretion. 1. AGE RESTRICTIONS The Website and Services are intended for users 13 and older. By accessing or using the Services, You represent and warrant that you are at least thirteen (13) years old and that you possess the legal right and ability to enter into this Terms of Service and to use the Services in accordance with these Terms. 2. CHANGES TO TERMS OF SERVICE We may revise and update these Terms of Service from time to time in our sole discretion by posting a revised version on the Website. All changes are effective immediately when we post them. CodeRabbit may provide reasonable notice of any material changes, determined at our sole discretion, by posting the updated Terms of Service on the Website. Any revisions to the Terms of Service will take effect on the noted Effective Date, located at the top of these Terms. 3. ABOUT CODERABBIT CodeRabbit is an AI-driven tool which offers insightful, line-by-line feedback on code changes, suggesting improvements and corrections. 4. USER ACCOUNTS You may register for a CodeRabbit user account (“ Account ”). In order to register an Account, you will be required to connect to the Services via your account with GitHub or GitLab (each, a “ Third-Party Account ”). By connecting a Third-Party Account to the Services, you authorize CodeRabbit to access your Third-Party Account, including your profile information, the primary email address associated with your Third-Party Account, profile information from the organization of which you are a part (such as organization name, description), and information about the GitHub or GitLab repositories to which you have access. You control the scope of the authority granted to CodeRabbit to the extent permitted by GitHub or GitLab. By providing CodeRabbit access to your Third-Party Account, you authorize CodeRabbit to act on your behalf to retrieve information from the applicable Third-Party Account for purposes of providing the Services under these Terms. You are responsible for maintaining the security and confidentiality of your Account information. You agree that you are solely responsible for any and all losses incurred by us or any other user or visitor to the Services due to someone else using your Account as a result of your failing to keep your account information secure and confidential. You represent and warrant that you have all necessary rights, consents, authorizations and permissions to grant CodeRabbit access to your Third-Party Account, including for the purposes described in these Terms, without any breach by you of any of the terms and conditions that govern your agreement with the applicable Third-Party Account provider, and without subjecting CodeRabbit to any payment obligations, usage limitations or other liabilities. Authorized Users You are responsible and liable for all uses of the Services resulting from access provided by you, directly or indirectly, whether such access or use is permitted by or in violation of this Agreement. Without limiting the generality of the foregoing, you are responsible for all acts and omissions of anyone authorized to access or use the Services on your behalf (“ Authorized User(s) ”), and any act or omission by an Authorized User that would constitute a breach of this Agreement if taken by you will be deemed a breach of this Agreement by you. You shall use reasonable efforts to make all Authorized Users aware of this Agreement’s provisions as applicable to such Authorized User’s use of the Services and shall cause Authorized Users to comply with such provisions. 5. PROHIBITED USES You may use our Services only for lawful purposes and in accordance with these Terms of Service. You agree not to use the Services: In any way that violates any applicable federal, state, local, or international law or regulation (including, without limitation, any laws regarding the export of data or software to and from the US or other countries). For the purpose of exploiting, harming, or attempting to exploit or harm minors in any way by exposing them to inappropriate content, asking for personally identifiable information, or otherwise. To send, knowingly receive, upload, download, use, or re-use any material that does not comply with these Terms of Service. To transmit, or procure the sending of, any advertising or promotional material, including any "junk mail," "chain letter," "spam," or any other similar solicitation. To impersonate or attempt to impersonate CodeRabbit, a CodeRabbit employee, another user, or any other person or entity (including, without limitation, by using email addresses or account names associated with any of the foregoing). To violate, encourage others to violate, or provide instructions on how to violate, any right of a third party, including by infringing or misappropriating any third-party intellectual property right. To engage in any other conduct that restricts or inhibits anyone's use or enjoyment of the Services, or which, as determined by us, may harm CodeRabbit or users of the Services, or expose them to liability. Additionally, you agree not to: Use the Services in any manner that could disable, overburden, damage, or impair the site or interfere with any other party's use of the Services, including their ability to engage in real time activities through the Services. Use any robot, spider, or other automatic device, process, or means to access the Services for any purpose, including monitoring or copying any of the material on the Services. Use any manual process to monitor or copy any of the material on the Services, or for any other purpose not expressly authorized in these Terms of Service, without our prior written consent. Use any device, software, or routine that interferes with the proper working of the Services, including any viruses, Trojan horses, worms, logic bombs, or other material that is malicious or technologically harmful. Attempt to gain unauthorized access to, interfere with, damage, or disrupt any parts of the Services, the server on which the Services is stored, or any server, computer, or database connected to the Services. Attack the Services via a denial-of-service attack or a distributed denial-of-service attack. Sell or otherwise transfer the access granted under these Terms. Attempt to do any of the acts described in this Section 5 or assist or permit any person engaging in any of the acts described in this Section 5. 6. LLM providers Our Services use artificial intelligence - which is powered by OpenAI and Anthropic. We integrate using OpenAI and Anthropic's API. When using our Services, you agree to abide by OpenAPI’s Usage Policies and Terms of Service and Anthropic's Usage Policies and Terms of Service , and you agree not to use CodeRabbit in any way that is prohibited by these model providers, including: · Illegal activity. · Child Sexual Abuse Material or any content that exploits or harms children. · Generation of hateful, harassing, or violent content. · Generation of malware. · Activity that has high risk of physical harm. · Activity that has high risk of economic harm. · Fraudulent or deceptive activity. · Adult content, adult industries, and dating apps. · Political campaigning or lobbying. · Activity that violates people’s privacy. · Engaging in the unauthorized practice of law or offering tailored legal advice without a qualified person reviewing the information. · Offering tailored financial advice without a qualified person reviewing the information. · Telling someone that they have or do not have a certain health condition or providing instructions on how to cure or treat a health condition. · High risk government decision-making. 7. TERMS OF SERVICE VIOLATIONS AND TERMINATION Term . These Terms are effective beginning when you accept the Terms or first access or use the Service, and ending when terminated as described in the Section titled “Termination” below. Termination . Any violation of these Terms of Service shall result in immediate account termination without prior warning to you and without refund applied to your Account. Additionally, any violation of these restrictions may further subject you to liability for violation of CodeRabbit's intellectual property rights and further claims and damages. We may choose to suspend or terminate your Account or ability to access or use the Services at any time, for any or no reason, at our sole discretion, and without notice or liability of any kind. You agree that any violation by you of these Terms of Service will constitute an unlawful and unfair business practice, and will cause irreparable harm to us, for which monetary damages would be inadequate; and you consent to our obtaining any injunctive or equitable relief that we deem necessary or appropriate in such circumstances. These remedies are in addition to any other remedies we may have at law or in equity. You may terminate these Terms at any time and for any reason by deleting your Account and discontinuing your use of all Services. You may delete your Account by accessing your Account settings on the Site or by contacting us at: contact@coderabbit.ai . Effect of Termination . Upon termination of these Terms: (a) your license rights will terminate and you must immediately cease all use of the Service; (b) you will no longer be authorized to access your account or the Service; (c) you must pay CodeRabbit any unpaid amount that was due prior to termination; and (d) all payment obligations accrued prior to termination and those provisions which by their nature are intended to survive any termination or expiration of these Terms will survive. You are solely responsible for retaining copies of any User Content you upload to the Service since upon termination of your account, you may lose access rights to any User Content you uploaded to the Service. If your account has been terminated for a breach of these Terms, then you are prohibited from creating a new account on the Service using a different name, email address or other forms of account verification. 8. PRIVACY POLICY Your use of the Services may involve the transmission of your personal information to us. For example, we collect personal information when you register for an Account as described in Section 4 above. Our policies regarding the collection, use, disclosure, and protection of such personal information are governed according to our Privacy Policy, as made available at https://coderabbit.ai/privacy-policy (the “ Privacy Policy ”). Please read the CodeRabbit Privacy Policy carefully. The CodeRabbit Privacy Policy is incorporated by this reference into, and made a part of, these Terms. Please review our Privacy Policy before beginning to use our Services. By using our Services, you have also acknowledged and agreed to our Privacy Policy. 9. INTELLECTUAL PROPERTY RIGHTS The Services and its entire contents, features, and functionality (including but not limited to the Website, App, software, applications, text, displays, images, video, and audio, and the design, selection, and arrangement thereof) are owned by CodeRabbit, its licensors, or other providers of such material and are protected by United States and international copyright, trademark, patent, trade secret, and other intellectual property or proprietary rights laws. CodeRabbit hereby grants you a non-exclusive, non-transferable, non-sublicensable, limited, revocable license to access and use the Service solely for your internal business operations as set forth in these Terms of Service and expressly conditioned upon your Account remaining active, in good standing, and in full compliance with these Terms of Service. You must not reproduce, distribute, modify, create derivative works of, publicly display, publicly perform, republish, download, store, or transmit any of the material on our Services except as permitted by this Terms of Service. Further you must not use the Services to create or in relation to any product or service that competes with the Services. The CodeRabbit intellectual property rights, including name, copyrights, patents, trade secrets, logo, trademarks and all related intellectual property rights are property of CodeRabbit or its affiliates or licensors. You must not use such property without the prior written permission of CodeRabbit. All other names, logos, product and service names, designs, and slogans on this Services are the trademarks of their respective owners. We respect and appreciate the thoughts and comments from our users. If you choose to provide input and suggestions regarding existing functionalities, problems with or proposed modifications or improvements to the Service (“ Feedback ”), then you hereby grant CodeRabbit an unrestricted, perpetual, irrevocable, non-exclusive, fully-paid, royalty-free right and license to exploit the Feedback in any manner and for any purpose, including to improve the Service and create other products and services. CodeRabbit will have no other obligation to provide you with attribution for any Feedback you provide to us. USER CONTENT “ User Content ” refers to any information, data, or content that you upload, post, input, or submit while using the Service, such as submitting code for review or adding content to your profile. The service provider, in this case, CodeRabbit, treat your User Content as confidential information. CodeRabbit is not obligated to back up your User Content, and it may be deleted without notice. It's your responsibility to create and maintain backup copies of User Content if you want to. CodeRabbit will use your User Content to generate feedback on, suggestions or other corrections to your code (“ Output ”). Subject to your compliance with these Terms, CodeRabbit hereby assigns to you all of its rights, title and interest (if any) in and to the Output resulting from your use of the Service and CodeRabbit’s use of your User Content in connection with providing the Service. The Service may provide the same or similar Output to others, and CodeRabbit’s assignment to you in the preceding sentence does not apply to any outputs resulting from other users’ use of the Service. You agree that CodeRabbit may use Output to (a) provide, maintain, protect and improve the Services provided to you; (b) comply with applicable law; and (c) enforce these Terms. You are solely responsible for your use of any Outputs. CodeRabbit's use of your content should not infringe on third-party rights, break any laws, or violate terms of service or agreements related to your Third-Party Account. By providing User Content via the Service, you affirm, represent, and warrant to CodeRabbit that: · You are the creator and owner of the User Content, or have the necessary licenses, rights, consents, and permissions to authorize CodeRabbit to use your User Content as necessary to exercise the licenses granted by you, in the manner contemplated by CodeRabbit, the Service, and these Terms; · Your User Content and use of your User Content as contemplated by these Terms does not and will not: (a) infringe, violate, misappropriate, or otherwise breach any third-party right, including any copyright, trademark, patent, trade secret, moral right, privacy right, right of publicity, or any other intellectual property, contract, or proprietary right; (ii) slander, defame, libel, or invade the right of privacy, publicity or other proprietary rights of any other person; or (iii) cause CodeRabbit to violate any law or regulation or require CodeRabbit to obtain any further licenses from or pay any royalties, fees, compensation or other amounts or provide any attribution to any third parties; and · Your User Content could not be deemed by a reasonable person to be objectionable, profane, indecent, pornographic, harassing, threatening, embarrassing, hateful, or otherwise inappropriate. Additionally, you should not provide User Content that goes against any fiduciary duty or contractual obligation. If you become aware of the service being used for illegal purposes, you should notify CodeRabbit. 10. CODE SHARING AND PRIVACY Your proprietary code remains confidential with CodeRabbit. You can opt out of data storage. However, opting in helps us fine-tune the reviews for you based on your usage. While the code is shared with OpenAI and/or Anthropic for reviewing purposes, neither CodeRabbit nor OpenAI or Anthropic uses your code to train our models. We adhere to rigorous privacy policies to guarantee the safety and confidentiality of your code. CodeRabbit uses open-source project code to train our system. 11. CONFIDENTIAL INFORMATION From time to time during the Term of this Agreement, You, or CodeRabbit (“ Disclosing Party ”) may disclose or make available to the other party (“ Receiving Party ”), information about Disclosing Party or Disclosing Party’s affiliates’ business affairs, products, confidential intellectual property, trade secrets, financial information, third-party confidential information, and other sensitive or proprietary information, whether disclosed or accessed in written, electronic, or any other form or media, that is identified as confidential at the time of disclosure or should be reasonably known by Receiving Party to be confidential or proprietary due to the nature of the information disclosed and the circumstances surrounding the disclosure. The Receiving Party shall maintain in confidence all confidential and proprietary information and shall not disclose confidential or proprietary information to any person or entity, except to the employees, agents, or subcontractors who have a legitimate need to know, to perform their obligations hereunder and who are required to protect the confidential or proprietary information in a manner no less stringent than required under this Agreement. Confidential and proprietary information does not include information that: (a) is or becomes publicly known through no fault of CodeRabbit, our service providers, or service integrations providers, or their representatives; (b) already rightfully known to the Receiving Party at the time of disclosure ; (c) rightfully obtained and on a non-confidential basis from a third party without breach of any confidentiality obligation; or (d) independently developed by or on behalf of the Receiving Party without access to or use of any confidential and proprietary information of the Disclosing Party. Notwithstanding the foregoing, CodeRabbit, our service providers, or service integrations providers, or their representatives may be required to disclose your confidential and proprietary information (a) to comply with the order of a court or other governmental body, or as otherwise necessary to comply with applicable Law; only with written notice to you and makes a reasonable effort to obtain a protective order; or (b) to establish CodeRabbit’s rights under this Agreement, including to make required court filings. CodeRabbit’s software, applications, scripts, code, plug-ins and technology incorporated in the Services, the design and layout of the CodeRabbit Platform user interface, all pricing information relating to the Services, and the terms and conditions of this Agreement (including all Orders) shall be deemed confidential information of CodeRabbit without any marking or further designation. 12. PURCHASES AND SUBSCRIPTIONS Subscriptions The Service may include certain subscription-based plans with automatically recurring payments for periodic charges (“ Subscription ”). All Subscriptions are payable in accordance with payment terms in effect at the time the subscription becomes payable. Payment can be made by credit card, debit card, or other means that we may make available. If you purchase a Subscription, you will be billed on a recurring and periodic basis (“ Billing Cycle ”). Billing Cycles are set on a monthly or annual basis, depending on your Subscription choice. You agree that by purchasing a Subscription, the Subscription will automatically renew, and you will be charged until you cancel. At the end of each Billing Cycle, your Subscription will automatically renew for the same price and time period as your initial Subscription terms unless you or CodeRabbit cancel your Subscription. You must cancel your Subscription before it renews in order to avoid billing of the next Billing Cycle. Subscriptions are processed and managed on behalf of CodeRabbit, by third-party payment processors (such as Stripe and Chargebee). By submitting your payment method, you authorize CodeRabbit’s third-party payment processor to charge all Subscription fees incurred through your Account to such payment method. Fees and Payment If you purchase the Services (including on a Subscription-basis), you agree to pay CodeRabbit the applicable fees and taxes in U.S. Dollars. Failure to pay these fees and taxes will result in the termination of your access to the paid Services, including any Subscription Services. Fees are based on total number of “developer seats” selected for Services during the applicable billing period. You agree that (a) if you purchase a Subscription to any of the Services, our third-party payment processor may store and continue billing your payment method (e.g. credit card) to avoid interruption of such Services, and (b) we may calculate taxes payable by you based on the billing information that you provide us at the time of purchase. Our pricing is set out on https://coderabbit.ai/pricing. Fee Changes CodeRabbit, in its sole discretion and at any time, may modify Subscription fees for the Subscriptions. Any Subscription fee change will become effective at the end of the then-current Billing Cycle. If CodeRabbit offers any free or trial services (a “ Free Trial ”), such Free Trial will be subject to these Terms. At any time and without notice, CodeRabbit reserves the right to (i) modify the terms of a Free Trial offer, or (ii) cancel such Free Trial offer. Your continued use of Service after Subscription fee change comes into effect constitutes your agreement to pay the modified Subscription fee amount. Refunds and Subscription Cancellations Subscriptions can be cancelled at any time before the next subscription cycle, and the cancellation will take effect from the next subscription cycle. You may cancel your Subscription through our web app by accessing subscription management, or by contacting CodeRabbit at contact@coderabbit.ai .Refunds may be issued at CodeRabbit’s discretion. 13. THIRD-PARTY MATERIALS The Services may display, incorporate, permit access to or make available content, data, information, applications, systems, materials and other resources of third parties (“ Third Party Materials ”) or provide links to certain third-party websites. By using the Services, you acknowledge and agree that CodeRabbit is not responsible for examining or evaluating the content, accuracy, completeness, availability, timeliness, validity, copyright compliance, legality, decency, quality, security or any other aspect of such Third-Party Materials or third-party websites. We do not warrant or endorse and do not assume and will not have any liability or responsibility to you or any other person for any third-party products or services, Third Party Materials or third-party websites. Third Party Materials and third-party websites are not under CodeRabbit’s control, and, to the fullest extent permitted by law, CodeRabbit is not responsible to you for any Third Party Materials, third-party websites, or third-party services. Third Party Materials and links to other websites are provided solely as a convenience to you. For purposes of these Terms any third-party products and services, Third-Party Materials and third-party websites are subject to their own terms and conditions. If you do not agree to abide by the applicable terms for any such third-party products and services, Third-Party Materials and third-party websites, then you should not install, access, or use such third-party products and services, Third-Party Materials or third-party websites. 14. WARRANTY DISCLAIMER WE PROVIDE THE SERVICES "AS IS" AND WITHOUT ANY REPRESENTATION OR WARRANTY, EXPRESS, IMPLIED, OR STATUTORY. WE SPECIFICALLY DISCLAIM ANY IMPLIED WARRANTIES OF TITLE, MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, AND NON-INFRINGEMENT. WITHOUT LIMITING THE FOREGOING, WE DO NOT REPRESENT OR WARRANT THAT THE SERVICES WILL BE ACCESSIBLE WITHOUT INTERRUPTION OR THAT THE SERVICES, ANY CONTENT FROM THE WEBSITE, OR THE SERVER THAT MAKES THIS SERVICES AVAILABLE ARE FREE FROM ERRORS, DEFECTS, DESIGN FLAWS, OMISSIONS, VIRUSES, OR OTHER HARMFUL COMPONENTS. YOUR USE OF THE SERVICES IS AT YOUR OWN RISK. SOME STATES DO NOT ALLOW THE DISCLAIMER OF IMPLIED WARRANTIES, IN WHICH CASE PORTIONS OF THIS DISCLAIMER MAY NOT APPLY TO YOU. NO ADVICE OR INFORMATION, WHETHER ORAL OR WRITTEN, OBTAINED BY YOU FROM THE SERVICE OR CODERABBIT OR ANY MATERIALS OR CONTENT AVAILABLE THROUGH THE SERVICE WILL CREATE ANY WARRANTY REGARDING ANY OF THE CODERABBIT ENTITIES OR THE SERVICE THAT IS NOT EXPRESSLY STATED IN THESE TERMS. WE ARE NOT RESPONSIBLE FOR ANY DAMAGE THAT MAY RESULT FROM: (a) THE SERVICE; (b) ANY ERRORS, INACCURACIES, OR OMISSIONS IN THE OUTPUTS OR OTHER CONTENT PROVIDED BY THE SERVICES; (c) YOUR ABILITY OR IMABILITY TO UPLOAD, EXPORT, RETRIEVE, TRANSFER, OR REMOVE ANY USER CONTENT OR YOUR OUTPUT FROM THE SERVICE; AND (d) YOUR DEALING WITH ANY OTHER SERVICE USER. YOU UNDERSTAND AND AGREE THAT YOU USE ANY PORTION OF THE SERVICE AT YOUR OWN DISCRETION AND RISK, AND THAT WE ARE NOT RESPONSIBLE FOR ANY DAMAGE TO YOUR PROPERTY (INCLUDING YOUR COMPUTER SYSTEM OR MOBILE DEVICE USED IN CONNECTION WITH THE SERVICE) OR ANY LOSS OF DATA, INCLUDING USER CONTENT. CODERABBIT USES ARTIFICIAL INTELLIGENCE AND MACHINE LEARNING TO PROVIDE THE SERVICE. YOU ACKNOWLEDGE AND AGREE THAT THE TECHNOLOGY USED BY CODERABBIT TO PROVIDE THE SERVICE IS EXPERIMENTAL, RAPIDLY EVOLVING, AND SUBJECT TO UNEXPECTED OUTPUTS AND RESULTS. THE SERVICES MAY PROVIDE RESULTS THAT CONTAIN ERRORS, OMISSIONS, OR NOT ACCURATELY REFLECT REAL EVENTS, PLACES, PEOPLE, OR FACTS. YOU ACKNOWLEDGE AND AGREE THAT CODERABBIT WILL NOT BE LIABLE FOR ANY MISTAKES, INACCURACIES, OMISSIONS, OR OFFENSIVE MATERIAL IN THE OUTPUTS OR ANY OTHER CONTENT GENERATED BY THE SERVICE. YOU RELY UPON THE OUTPUTS AT YOUR SOLE RISK. THE LIMITATIONS, EXCLUSIONS AND DISCLAIMERS IN THIS SECTION 14 APPLY TO THE FULLEST EXTENT PERMITTED BY LAW. CodeRabbit does not disclaim any warranty or other right that CodeRabbit is prohibited from disclaiming under applicable law. 15. LIMITATION OF LIABILITY TO THE FULLEST EXTENT PERMITTED BY LAW, IN NO EVENT WILL CODERABBIT BE LIABLE, WHETHER IN CONTRACT, WARRANTY, TORT (INCLUDING NEGLIGENCE, WHETHER ACTIVE, PASSIVE, OR IMPUTED), PRODUCT LIABILITY, STRICT LIABILITY, OR OTHER THEORY, TO YOU OR ANY OTHER PERSON FOR ANY DAMAGES FOR ANY INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, PUNITIVE, OR CONSEQUENTIAL DAMAGES, ARISING OUT OF OR IN CONNECTION WITH ANY USE OF, THE INABILITY TO USE, OR THE RESULTS OF USE OF THE SERVICES, INCLUDING ANY MOBILE APPLICATION, WEBSITE OR ITS CONTENT, EVEN IF WE HAVE BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. SOME JURISDICTIONS PROHIBIT THE EXCLUSION OR LIMITATION OF LIABILITY FOR CONSEQUENTIAL OR INCIDENTAL DAMAGES, IN WHICH CASE PORTIONS OF THIS LIMITATION MAY NOT APPLY TO YOU. IN NO EVENT WILL WE BE LIABLE OR RESPONSIBLE FOR ANY ERRORS OR OMISSIONS IN THE CONTENT OF THE SERVICES, INCLUDING, WITHOUT LIMITATION, ERRORS IN PRICING OR AVAILABILITY OF SERVICES AND PRODUCTS, OR DAMAGES THAT MAY RESULT FROM MISREPRESENTATION OF AGE BY A USER OF THE SERVICES. EXCEPT AS PROVIDED IN SECTION 18 AND TO THE FULLEST EXTENT PERMITTED BY LAW, IN NO EVENT WILL CODERABBIT’S TOTAL LIABILITY TO YOU FOR ALL DAMAGES, LOSSES OR CAUSES OF ACTION ARISING OUT OF OR RELATING TO THE USE OF OR INABILITY TO USE ANY PORTION OF THE SERVICE OR OTHERWISE UNDER THESE TERMS, WHETHER IN CONTRACT, TORT, OR OTHERWISE, EXCEED THE GREATER OF (a) THE AMOUNT YOU HAVE PAID CODERABBIT IN THE LAST SIX (6) MONTHS, OR (b) ONE HUNDRED DOLLARS ($100). YOU AGREE THAT ANY CAUSE OF ACTION THAT YOU MAY HAVE ARISING OUT OF OR RELATED TO THE WEBSITE OR SERVICES MUST COMMENCE WITHIN ONE (1) YEAR AFTER THE CAUSE OF ACTION ACCRUES. OTHERWISE, SUCH CAUSE OF ACTION IS PERMANENTLY BARRED. EACH PROVISION OF THESE TERMS THAT PROVIDES FOR A LIMITATION OF LIABILITY, DISCLAIMER OF WARRANTIES, OR EXCLUSION OF DAMAGES IS INTENDED TO AND DOES ALLOCATE THE RISKS BETWEEN THE PARTIES UNDER THESE TERMS. THIS ALLOCATION IS AN ESSENTIAL ELEMENT OF THE BASIS OF THE BARGAIN BETWEEN THE PARTIES. EACH OF THESE PROVISIONS IS SEVERABLE AND INDEPENDENT OF ALL OTHER PROVISIONS OF THESE TERMS. THE LIMITATIONS IN THIS SECTION 15 WILL APPLY EVEN IF ANY LIMITED REMEDY FAILS OF ITS ESSENTIAL PURPOSE. 16. INDEMNIFICATION You agree to indemnify and hold CodeRabbit, its parents, subsidiaries, affiliates, any related companies, suppliers, licensors and partners, and the officers, directors, employees, agents and representatives of each of them harmless, including costs, liabilities and legal fees, from any claim or demand made by any third party due to or arising out of (i) your access to or use of the Services, (ii) any violation of these Terms of Service (including negligent or wrongful conduct) by you, (iii) the infringement by you, or any third party using your account, of any intellectual property or other right of any person or entity, or (iv) your User Content. In states where the law does not recognize a cap on liability and/or indemnity obligations, you agree to hold harmless CodeRabbit and be fully responsible for any loss, liability and/or legal fees that arise from the violation of the Terms of Service herein. 17. MARKETING CodeRabbit may publicly refer to Customer as a customer of CodeRabbit, including on CodeRabbit’s website and in sales presentations, and may use Customer’s logo for such purposes. Similarly, Customer may publicly refer to itself as a customer of CodeRabbit’s software as a service, including on Customer’s website. CodeRabbit reviews on the open-source projects can be used in the marketing material. 18. DISPUTE RESOLUTION AND ARBITRATION Generally . Except as described in the Sections titled “Exceptions” and “Opt-Out” below, you and CodeRabbit agree that every dispute arising in connection with these Terms, the Service, or communications from us will be resolved through binding arbitration. Arbitration uses a neutral arbitrator instead of a judge or jury, is less formal than a court proceeding, may allow for more limited discovery than in court, and is subject to very limited review by courts. This agreement to arbitrate disputes includes all claims whether based in contract, tort, statute, fraud, misrepresentation, or any other legal theory, and regardless of whether a claim arises during or after the termination of these Terms. Any dispute relating to the interpretation, applicability, or enforceability of this binding arbitration agreement will be resolved by the arbitrator. YOU UNDERSTAND AND AGREE THAT, BY ENTERING INTO THESE TERMS, YOU AND CODERABBIT ARE EACH WAIVING THE RIGHT TO A TRIAL BY JURY OR TO PARTICIPATE IN A CLASS ACTION. Exceptions . Although we are agreeing to arbitrate most disputes between us, nothing in these Terms will be deemed to waive, preclude, or otherwise limit the right of either party to: (a) bring an individual action in small claims court; (b) pursue an enforcement action through the applicable federal, state, or local agency if that action is available; (c) seek injunctive relief in a court of law in aid of arbitration; or (d) to file suit in a court of law to address an intellectual property infringement claim. Opt-Out . If you do not wish to resolve disputes by binding arbitration, you may opt out of the provisions of this Section 18 within 30 days after the date that you agree to these Terms by sending a letter to CodeRabbit, Inc., Attention: Legal Department – Arbitration Opt-Out, 1212 Broadway Plaze, Suite 2100, Walnut Creek, CA 94596 that specifies: your full legal name, the email address associated with your account on the Service, and a statement that you wish to opt out of arbitration (“ Opt-Out Notice ”). Once CodeRabbit receives your Opt-Out Notice, this Section 18 will be void and any action arising out of these Terms will be resolved as set forth in Section 19. The remaining provisions of these Terms will not be affected by your Opt-Out Notice. Arbitrator . This arbitration agreement, and any arbitration between us, is subject the Federal Arbitration Act and will be administered by the JAMS under the rules applicable to consumer disputes (collectively, “ JAMS Rules ”) as modified by these Terms. The JAMS Rules and filing forms are available online at www.jamsadr.com, by calling the JAMS at +1-800-352-5267 or by contacting CodeRabbit. Commencing Arbitration . Before initiating arbitration, a party must first send a written notice of the dispute to the other party by certified U.S. Mail or by Federal Express (signature required) or, only if that other party has not provided a current physical address, then by electronic mail (“ Notice of Arbitration ”). CodeRabbit’s address for Notice is: CodeRabbit, Inc., 1212 Broadway Plaza, Suite 2100, Walnut Creek, CA 94596. The Notice of Arbitration must: (a) identify the name or account number of the party making the claim; (b) describe the nature and basis of the claim or dispute; and (c) set forth the specific relief sought (“ Demand ”). The parties will make good faith efforts to resolve the claim directly, but if the parties do not reach an agreement to do so within 30 days after the Notice of Arbitration is received, you or CodeRabbit may commence an arbitration proceeding. If you commence arbitration in accordance with these Terms, CodeRabbit will reimburse you for your payment of the filing fee, unless your claim is for more than US$10,000 or if CodeRabbit has received 25 or more similar demands for arbitration, in which case the payment of any fees will be decided by the JAMS Rules. If the arbitrator finds that either the substance of the claim or the relief sought in the Demand is frivolous or brought for an improper purpose (as measured by the standards set forth in Federal Rule of Civil Procedure 11(b)), then the payment of all fees will be governed by the JAMS Rules and the other party may seek reimbursement for any fees paid to JAMS. Arbitration Proceedings . Any arbitration hearing will take place in the county and state of your billing address unless we agree otherwise or, if the claim is for US$10,000 or less (and does not seek injunctive relief), you may choose whether the arbitration will be conducted: (a) solely on the basis of documents submitted to the arbitrator; (b) through a telephonic or video hearing; or (c) by an in-person hearing as established by the JAMS Rules in the county (or parish) of your billing address. During the arbitration, the amount of any settlement offer made by you or CodeRabbit must not be disclosed to the arbitrator until after the arbitrator makes a final decision and award, if any. Regardless of the manner in which the arbitration is conducted, the arbitrator must issue a reasoned written decision sufficient to explain the essential findings and conclusions on which the decision and award, if any, are based. Arbitration Relief . Except as provided in the Section titled “No Class Actions”, the arbitrator can award any relief that would be available if the claims had been brought in a court of competent jurisdiction. If the arbitrator awards you an amount higher than the last written settlement amount offered by CodeRabbit before an arbitrator was selected, CodeRabbit will pay to you the higher of: (a) the amount awarded by the arbitrator and (b) US$10,000. The arbitrator’s award shall be final and binding on all parties, except (1) for judicial review expressly permitted by law or (2) if the arbitrator's award includes an award of injunctive relief against a party, in which case that party shall have the right to seek judicial review of the injunctive relief in a court of competent jurisdiction that shall not be bound by the arbitrator's application or conclusions of law. Judgment on the award may be entered in any court having jurisdiction. No Class Actions . YOU AND CODERABBIT AGREE THAT EACH MAY BRING CLAIMS AGAINST THE OTHER ONLY IN YOUR OR ITS INDIVIDUAL CAPACITY AND NOT AS A PLAINTIFF OR CLASS MEMBER IN ANY PURPORTED CLASS OR REPRESENTATIVE PROCEEDING. Further, unless both you and CodeRabbit agree otherwise, the arbitrator may not consolidate more than one person’s claims, and may not otherwise preside over any form of a representative or class proceeding. Modifications to this Arbitration Provision . If CodeRabbit makes any substantive change to this arbitration provision, you may reject the change by sending us written notice within 30 days of the change to CodeRabbit’s address for Notice of Arbitration, in which case your account with CodeRabbit will be immediately terminated and this arbitration provision, as in effect immediately prior to the changes you rejected will survive. Enforceability . If the Section titled “No Class Actions” or the entirety of this Section 18 is found to be unenforceable, or if CodeRabbit receives an Opt-Out Notice from you, then the entirety of this Section 18 will be null and void and, in that case, the exclusive jurisdiction and venue described in Section 19 will govern any action arising out of or related to these Terms. 19. GOVERNING LAW These Terms of Service and any claim arising out of these Terms will be governed by and construed in accordance with the laws of the State of California. 20. SURVIVAL After this Terms of Service terminates, the terms of this agreement that expressly or by their nature contemplate performance after termination or expiration will survive and continue in full force and effect. For example, the provisions protecting intellectual property, indemnification, payment of fees, and setting forth limitations of liability each, by their nature, contemplate performance or observance after this Terms of Service terminates. Without limiting any other provisions of the Terms of Service, the termination of these Terms for any reason will not release you from any obligations incurred prior to termination of the Terms or that thereafter may accrue in respect of any act or omission prior to such termination. 21. ASSIGNABILITY You may not assign the Terms of Service, or any of its rights or obligations hereunder, without CodeRabbit’s prior written consent in the form of a written instrument signed by a duly authorized representative of CodeRabbit. CodeRabbit may freely assign this Terms of Service without your consent. Any attempted assignment or transfer in violation of this subsection will be null and void. Subject to the foregoing restrictions, the Terms of Service are binding upon and will inure to the benefit of the successors, heirs, and permitted assigns of the parties. 22. WAIVER AND SEVER ABILITY No waiver by CodeRabbit of any term or condition set out in these Terms of Service shall be deemed a further or continuing waiver of such term or condition or a waiver of any other term or condition, and any failure of CodeRabbit to assert a right or provision under these Terms of Service shall not constitute a waiver of such right or provision. If any provision of these Terms of Service is held by a court or other tribunal of competent jurisdiction to be invalid, illegal, or unenforceable for any reason, such provision shall be eliminated or limited to the minimum extent such that the remaining provisions of the Terms of Service will continue in full force and effect. 23. ACCESS OF THE SITE OUTSIDE THE UNITED STATES Given the global nature of the Internet, you agree to comply with all local rules, including, without limitation, rules about the Internet, data, email, privacy, copyright and trademark infringement. Additionally, you agree to comply with all applicable laws regarding the transmission of technical data exported from the United States or the country in which you reside. The Service is intended for visitors located within the United States. CodeRabbit makes no representation that the Service is appropriate or available for use outside of the United States. Access to the Service from countries or territories or by individuals where such access is illegal is prohibited. In order to access or use the Website or Services, you must and hereby represent that you are not: (a) a citizen or resident of a geographic area in which access to or use of the Website or Services is prohibited by applicable law, decree, regulation, treaty, or administrative act; (b) a citizen or resident of, or located in, a geographic area that is subject to U.S. or other sovereign country sanctions or embargoes; or (c) an individual, or an individual employed by or associated with an entity, identified on the U.S. Department of Commerce Denied Persons or Entity List, the U.S. Department of Treasury Specially Designated Nationals or Blocked Persons Lists, or the U.S. Department of State Debarred Parties List or otherwise ineligible to receive items subject to U.S. export control laws and regulations or other economic sanction rules of any sovereign nation. You agree that if your country of residence or other circumstances change such that the above representations are no longer accurate, that you will immediately cease using the Services and Website and your license to use the Services will be immediately revoked. 24. CONSENT TO USE ELECTRONIC RECORDS In connection with the Terms of Service, you may be entitled to receive certain records from CodeRabbit or our Affiliates, such as contracts, notices, and communications, in writing. To facilitate your use of the Services, you give us permission to provide these records to you electronically instead of in paper form. 25. ENTIRE AGREEMENT This Terms of Service and CodeRabbit’s Privacy Policy (available at https://coderabbit.ai/privacy-policy) constitute the sole and entire agreement between you and CodeRabbit and supersedes all prior and contemporaneous understandings, agreements, representations, and warranties, both written and oral, to the extent they relate in any way to the Services. 26. CONTACT INFORMATION For questions or concerns related to these Terms, please contact us at: support@coderabbit.ai 27. MISCELLANEOUS Communications . We may send you emails concerning our products and services, as well as those of third parties. You may opt out of promotional emails by following the unsubscribe instructions in the promotional email itself. Modification of the Service . CodeRabbit reserves the right to modify or discontinue all or any portion of the Service at any time (including by limiting or discontinuing certain features of the Service), temporarily or permanently, without notice to you. CodeRabbit will have no liability for any change to the Service, including any paid-for functionalities of the Service, or any suspension or termination of your access to or use of the Service. You should retain copies of any User Content you upload to the Service so that you have permanent copies in the event the Service is modified in such a way that you lose access to User Content you upload to the Service. Notice to California Residents . If you are a California resident, then under California Civil Code Section 1789.3, you may contact the Complaint Assistance Unit of the Division of Consumer Services of the California Department of Consumer Affairs in writing at 1625 N. Market Blvd., Suite N 112, Sacramento, California 95834, or by telephone at +1-800-952-5210 in order to resolve a complaint regarding the Service or to receive further information regarding use of the Service. No Support. We are under no obligation to provide support for the Service. In instances where we may offer support, the support will be subject to published policies. Still have questions? Contact us Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy Select language English 日本語 Terms of Service Privacy Policy CodeRabbit Inc © 2026 Products Pull Request Reviews IDE Reviews CLI Reviews Navigation About Us Features FAQ System Status Careers DPA Startup Program Vulnerability Disclosure Resources Blog Docs Changelog Case Studies Trust Center Brand Guidelines Contact Support Sales Pricing Partnerships Subscribe By signing up you agree to our Terms of Use and Privacy Policy | 2026-01-13T08:48:13 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.