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://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fsolutions%2Findustry%2Fgovernment | 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:10 |
https://github.com/square/square-dotnet-sdk | GitHub - square/square-dotnet-sdk: .NET client library for the Square API Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} square / square-dotnet-sdk Public Notifications You must be signed in to change notification settings Fork 31 Star 70 .NET client library for the Square API developer.squareup.com License MIT license 70 stars 31 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 1 Pull requests 2 Actions Projects 0 Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Projects Security Insights square/square-dotnet-sdk master Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 247 Commits .github .github .mock .mock legacy legacy src src .editorconfig .editorconfig .fernignore .fernignore .gitignore .gitignore CHANGELOG.md CHANGELOG.md CONTRIBUTING.md CONTRIBUTING.md LICENSE LICENSE README.md README.md SquareWithLegacy.sln SquareWithLegacy.sln icon.png icon.png reference.md reference.md View all files Repository files navigation README Contributing MIT license Square C# Library The Square .NET library provides convenient access to the Square API from C#, VB.NET, and F#. Requirements The Square .NET SDK is supported with the following target frameworks: .NET 8 and above .NET Framework 4.6.2 and above .NET Standard 2.0 and above Installation dotnet add package Square Usage Instantiate and use the client with the following: using Square . Payments ; using Square ; var client = new SquareClient ( ) ; await client . Payments . CreateAsync ( new CreatePaymentRequest { SourceId = "ccof:GaJGNaZa8x4OgDJn4GB" , IdempotencyKey = "7b0f3ec5-086a-4871-8f13-3c81b3875218" , AmountMoney = new Money { Amount = 1000 , Currency = Currency . Usd } , AppFeeMoney = new Money { Amount = 10 , Currency = Currency . Usd } , Autocomplete = true , CustomerId = "W92WH6P11H4Z77CTET0RNTGFW8" , LocationId = "L88917AVBK2S5" , ReferenceId = "123456" , Note = "Brief description" , } ) ; Instantiation To get started with the Square SDK, instantiate the SquareClient class as follows: using Square ; var client = new SquareClient ( "SQUARE_TOKEN" ) ; Alternatively, you can omit the token when constructing the client. In this case, the SDK will automatically read the token from the SQUARE_TOKEN environment variable: using Square ; var client = new SquareClient ( ) ; // Token is read from the SQUARE_TOKEN environment variable. Environment and Custom URLs This SDK allows you to configure different environments or custom URLs for API requests. You can either use the predefined environments or specify your own custom URL. Environments using Square ; var client = new SquareClient ( clientOptions : new ClientOptions { BaseUrl = SquareEnvironment . Production // Used by default } ) ; Custom URL using Square ; var client = new SquareClient ( clientOptions : new ClientOptions { BaseUrl = "https://custom-staging.com" } ) ; Enums This SDK uses forward-compatible enums that provide type safety while maintaining forward compatibility with API updates. // Use predefined enum values var accountType = BankAccountType . Checking ; // Use unknown/future enum values var customType = BankAccountType . FromCustom ( "FUTURE_VALUE" ) ; // String conversions and equality string typeString = accountType . ToString ( ) ; // Returns "CHECKING" var isChecking = accountType == "CHECKING" ; // Returns true // When writing switch statements, always include a default case switch ( accountType . Value ) { case BankAccountType . Values . Checking : // Handle checking accounts break ; case BankAccountType . Values . BusinessChecking : // Handle business checking accounts break ; default : // Handle unknown values for forward compatibility break ; } Pagination List endpoints are paginated. The SDK provides an async enumerable so that you can simply loop over the items: using Square . BankAccounts ; using Square ; var client = new SquareClient ( ) ; var pager = await client . BankAccounts . ListAsync ( new ListBankAccountsRequest ( ) ) ; await foreach ( var item in pager ) { // do something with item } Exception Handling When the API returns a non-success status code (4xx or 5xx response), a SquareApiException will be thrown. using Square ; try { var response = await client . Payments . CreateAsync ( .. . ) ; } catch ( SquareApiException e ) { Console . WriteLine ( e . Body ) ; Console . WriteLine ( e . StatusCode ) ; // Access the parsed error objects foreach ( var error in e . Errors ) { Console . WriteLine ( $ "Category: { error . Category } " ) ; Console . WriteLine ( $ "Code: { error . Code } " ) ; Console . WriteLine ( $ "Detail: { error . Detail } " ) ; Console . WriteLine ( $ "Field: { error . Field } " ) ; } } Webhook Signature Verification The SDK provides utility methods that allow you to verify webhook signatures and ensure that all webhook events originate from Square. The WebhooksHelper.verifySignature method can be used to verify the signature like so: using Microsoft . AspNetCore . Http ; using Square ; public static async Task CheckWebhooksEvent ( HttpRequest request , string signatureKey , string notificationUrl ) { var signature = request . Headers [ "x-square-hmacsha256-signature" ] . ToString ( ) ; using var reader = new StreamReader ( request . Body , System . Text . Encoding . UTF8 ) ; var requestBody = await reader . ReadToEndAsync ( ) ; if ( ! WebhooksHelper . VerifySignature ( requestBody , signature , signatureKey , notificationUrl ) ) { throw new Exception ( "A webhook event was received that was not from Square." ) ; } } In .NET 6 and above, there are also overloads using spans for allocation free webhook verification. Legacy SDK While the new SDK has a lot of improvements, we at Square understand that it takes time to upgrade when there are breaking changes. To make the migration easier, the legacy SDK is available as a separate NuGet package Square.Legacy with all functionality under the Square.Legacy namespace. Here's an example of how you can use the legacy SDK alongside the new SDK inside a single file: using Square ; using Square . Legacy . Authentication ; var accessToken = "YOUR_SQUARE_TOKEN" ; // NEW var client = new SquareClient ( accessToken ) ; // LEGACY var legacyClient = new Square . Legacy . SquareClient . Builder ( ) . BearerAuthCredentials ( new BearerAuthModel . Builder ( accessToken ) . Build ( ) ) . Environment ( Square . Legacy . Environment . Production ) . Build ( ) ; We recommend migrating to the new SDK using the following steps: Install the Square.Legacy NuGet package alongside your existing Square SDK Search and replace all using statements from Square to Square.Legacy Gradually move over to use the new SDK by importing it from the Square namespace. Advanced Retries The SDK is instrumented with automatic retries with exponential backoff. A request will be retried as long as the request is deemed retryable and the number of retry attempts has not grown larger than the configured retry limit (default: 2). A request is deemed retryable when any of the following HTTP status codes is returned: 408 (Timeout) 429 (Too Many Requests) 5XX (Internal Server Errors) Use the MaxRetries request option to configure this behavior. var response = await client . Payments . CreateAsync ( .. . , new RequestOptions { MaxRetries : 0 // Override MaxRetries at the request level } ) ; Timeouts The SDK defaults to a 30 second timeout. Use the Timeout option to configure this behavior. var response = await client . Payments . CreateAsync ( .. . , new RequestOptions { Timeout : TimeSpan . FromSeconds ( 3 ) // Override timeout to 3s } ) ; Receive Additional Properties Every response type includes the AdditionalProperties property, which returns an IDictionary<string, JsonElement> that contains any properties in the JSON response that were not specified in the returned class. Similar to the use case for sending additional parameters, this can be useful for API features not present in the SDK yet. You can access the additional properties like so: var payments = client . Payments . Create ( .. . ) ; IDictionary < string , JsonElement > additionalProperties = payments . AdditionalProperties ; The AdditionalProperties dictionary is populated automatically during deserialization using the [JsonExtensionData] attribute. This provides you with access to any fields that may be added to the API response in the future before they're formally added to the SDK models. Contributing While we value open-source contributions to this SDK, this library is generated programmatically. Additions made directly to this library would have to be moved over to our generation code, otherwise they would be overwritten upon the next generated release. Feel free to open a PR as a proof of concept, but know that we will not be able to merge it as-is. We suggest opening an issue first to discuss with us! On the other hand, contributions to the README are always very welcome! About .NET client library for the Square API developer.squareup.com Topics sdk api-client Resources Readme License MIT license Contributing Contributing Uh oh! There was an error while loading. Please reload this page . Activity Custom properties Stars 70 stars Watchers 14 watching Forks 31 forks Report repository Releases 81 42.2.1 Latest Dec 17, 2025 + 80 releases Packages 0 No packages published Used by 195 + 187 Contributors 23 Uh oh! There was an error while loading. Please reload this page . + 9 contributors Languages C# 100.0% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:10 |
https://github.com/square/square-nodejs-sdk | GitHub - square/square-nodejs-sdk: Typescript client library for the Square API Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} square / square-nodejs-sdk Public Notifications You must be signed in to change notification settings Fork 45 Star 104 Typescript client library for the Square API developer.squareup.com/docs/sdks License MIT license 104 stars 45 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 1 Pull requests 8 Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Security Insights square/square-nodejs-sdk master Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 202 Commits .fern .fern .github/ workflows .github/ workflows legacy legacy scripts scripts src src tests tests .fernignore .fernignore .gitignore .gitignore .npmignore .npmignore CONTRIBUTING.md CONTRIBUTING.md LICENSE LICENSE README.md README.md biome.json biome.json jest.config.mjs jest.config.mjs package.json package.json reference.md reference.md tsconfig.json tsconfig.json yarn.lock yarn.lock View all files Repository files navigation README Contributing MIT license Square TypeScript Library The Square TypeScript library provides convenient access to the Square API from TypeScript. Installation npm i -s square Reference A full reference for this library is available here . Versioning By default, the SDK is pinned to the latest version. If you would like to override this version you can simply pass in a request option. await client . payments . create ( ... , { version : "2024-05-04" // override the version used } ) Usage Instantiate and use the client with the following: import { SquareClient } from "square" ; const client = new SquareClient ( { token : "YOUR_TOKEN" } ) ; await client . payments . create ( { sourceId : "ccof:GaJGNaZa8x4OgDJn4GB" , idempotencyKey : "7b0f3ec5-086a-4871-8f13-3c81b3875218" , amountMoney : { amount : BigInt ( 1000 ) , currency : "USD" , } , appFeeMoney : { amount : BigInt ( 10 ) , currency : "USD" , } , autocomplete : true , customerId : "W92WH6P11H4Z77CTET0RNTGFW8" , locationId : "L88917AVBK2S5" , referenceId : "123456" , note : "Brief description" , } ) ; Legacy SDK If you're using TypeScript, make sure that the moduleResolution setting in your tsconfig.json is equal to node16 , nodenext , or bundler to consume the legacy SDK. While the new SDK has a lot of improvements, we at Square understand that it takes time to upgrade when there are breaking changes. To make the migration easier, the new SDK also exports the legacy SDK as square/legacy . Here's an example of how you can use the legacy SDK alongside the new SDK inside a single file: import { randomUUID } from "crypto" ; import { Square , SquareClient } from "square" ; import { Client } from "square/legacy" ; const client = new SquareClient ( { token : process . env . SQUARE_ACCESS_TOKEN , } ) ; const legacyClient = new Client ( { bearerAuthCredentials : { accessToken : process . env . SQUARE_ACCESS_TOKEN ! , } , } ) ; async function getLocation ( ) : Promise < Square . Location > { return ( await client . locations . get ( { locationId : "YOUR_LOCATION_ID" , } ) ) . location ! ; } async function createOrder ( ) { const location = await getLocation ( ) ; await legacyClient . ordersApi . createOrder ( { idempotencyKey : randomUUID ( ) , order : { locationId : location . id ! , lineItems : [ { name : "New Item" , quantity : "1" , basePriceMoney : { amount : BigInt ( 100 ) , currency : "USD" , } , } , ] , } , } ) ; } createOrder ( ) ; We recommend migrating to the new SDK using the following steps: Upgrade the NPM module to ^40.0.0 Search and replace all requires and imports from "square" to "square/legacy" For required, replace require("square") with require("square/legacy") For imports, replace from "square" with from "square/legacy" For dynamic imports, replace import("square") with import("square/legacy") Gradually move over to use the new SDK by importing it from the "square" import. Request And Response Types The SDK exports all request and response types as TypeScript interfaces. Simply import them with the following namespace: import { Square } from "square" ; const request : Square . CreateMobileAuthorizationCodeRequest = { ... } ; Exception Handling When the API returns a non-success status code (4xx or 5xx response), a subclass of the following error will be thrown. import { SquareError } from "square" ; try { await client . payments . create ( ... ) ; } catch ( err ) { if ( err instanceof SquareError ) { console . log ( err . statusCode ) ; console . log ( err . message ) ; console . log ( err . body ) ; } } Pagination List endpoints are paginated. The SDK provides an iterator so that you can simply loop over the items: import { SquareClient } from "square" ; const client = new SquareClient ( { token : "YOUR_TOKEN" } ) ; const response = await client . bankAccounts . list ( ) ; for await ( const item of response ) { console . log ( item ) ; } // Or you can manually iterate page-by-page const page = await client . bankAccounts . list ( ) ; while ( page . hasNextPage ( ) ) { page = page . getNextPage ( ) ; } Webhook Signature Verification The SDK provides utility methods that allow you to verify webhook signatures and ensure that all webhook events originate from Square. The Webhooks.verifySignature method will verify the signature. import { WebhooksHelper } from "square" ; const isValid = WebhooksHelper . verifySignature ( { requestBody , signatureHeader : request . headers [ 'x-square-hmacsha256-signature' ] , signatureKey : "YOUR_SIGNATURE_KEY" , notificationUrl : "https://example.com/webhook" , // The URL where event notifications are sent. } ) ; Advanced Additional Headers If you would like to send additional headers as part of the request, use the headers request option. const response = await client . payments . create ( ... , { headers : { 'X-Custom-Header' : 'custom value' } } ) ; Receive extra properties Every response includes any extra properties in the JSON response that were not specified in the type. This can be useful for API features not present in the SDK yet. You can receive and interact with the extra properties by accessing each one directly like so: const response = await client . locations . create ( ... ) ; // Cast the response type into an `any`. const location = response . location as any ; // Then access the extra property by its name. const undocumentedProperty = location . undocumentedProperty ; Retries The SDK is instrumented with automatic retries with exponential backoff. A request will be retried as long as the request is deemed retriable and the number of retry attempts has not grown larger than the configured retry limit (default: 2). A request is deemed retriable when any of the following HTTP status codes is returned: 408 (Timeout) 429 (Too Many Requests) 5XX (Internal Server Errors) Use the maxRetries request option to configure this behavior. const response = await client . payments . create ( ... , { maxRetries : 0 // override maxRetries at the request level } ) ; Timeouts The SDK defaults to a 60 second timeout. Use the timeoutInSeconds option to configure this behavior. const response = await client . payments . create ( ... , { timeoutInSeconds : 30 // override timeout to 30s } ) ; Aborting Requests The SDK allows users to abort requests at any point by passing in an abort signal. const controller = new AbortController ( ) ; const response = await client . payments . create ( ... , { abortSignal : controller . signal } ) ; controller . abort ( ) ; // aborts the request Runtime Compatibility The SDK defaults to node-fetch but will use the global fetch client if present. The SDK works in the following runtimes: Node.js 18+ Vercel Cloudflare Workers Deno v1.25+ Bun 1.0+ React Native Customizing Fetch Client The SDK provides a way for your to customize the underlying HTTP client / Fetch function. If you're running in an unsupported environment, this provides a way for you to break glass and ensure the SDK works. import { SquareClient } from "square" ; const client = new SquareClient ( { ... fetcher : // provide your implementation here } ) ; Contributing While we value open-source contributions to this SDK, this library is generated programmatically. Additions made directly to this library would have to be moved over to our generation code, otherwise they would be overwritten upon the next generated release. Feel free to open a PR as a proof of concept, but know that we will not be able to merge it as-is. We suggest opening an issue first to discuss with us! On the other hand, contributions to the README are always very welcome! About Typescript client library for the Square API developer.squareup.com/docs/sdks Topics nodejs typescript square generated-from-openapi built-with-fern Resources Readme License MIT license Contributing Contributing Uh oh! There was an error while loading. Please reload this page . Activity Custom properties Stars 104 stars Watchers 9 watching Forks 45 forks Report repository Releases 70 43.2.1 Latest Nov 21, 2025 + 69 releases Used by 1.8k + 1,828 Contributors 21 + 7 contributors Languages TypeScript 99.9% JavaScript 0.1% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:10 |
https://devblogs.microsoft.com/powerplatform/ | Power Platform Developer 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 Power Platform Developer Blog Power Platform Developer Blog Insights, how-tos and updates for building low code solutions with the Power Platform Latest posts Aug 20, 2025 Post comments count 0 Post likes count 11 Announcing Copilot Studio Agent Academy: Your Mission Starts Now April Dunnam Welcome to Copilot Studio Agent Academy Whether you're just starting your journey with AI agents or looking to sharpen your skills in Microsoft Copilot Studio, we've got your mission briefing ready and it's time to suit up! We're thrilled to introduce Copilot Studio Agent Academy, a new, self-paced curriculum designed to help makers, developers, and AI-curious professionals learn how to build real, useful agents using Microsoft Copilot Studio. No more theoretical fluff. No more "someday I'll figure this out." This is your chance to actually build something that works. Why We Built It Copilot Studio makes it p... Jul 30, 2025 Post comments count 0 Post likes count 1 Introducing Plan Validation in Copilot Studio Kit Adi Leibowitz Ever wonder why your agent's answers can be right but for the wrong reasons? Let's dive into why that matters, with a brief foray into epistemology (bear with me!) Knowledge: More Than Just Right Answers Imagine asking someone the time, and they confidently reply, “2:30 PM.” They're correct—but what if their watch stopped exactly 12 hours ago, and they just happened to get lucky? This illustrates a classic philosophical point: the difference between a true belief and a justified true belief. And no, this isn’t just a theoretical curiosity (yes, philosophy folks are sensitive about that critique). In practice, ... Jul 15, 2025 Post comments count 1 Post likes count 4 Power Platform API and SDKs: From UX-First to API-First Lane Swenka Historically, Power Platform has empowered administrators through the Power Platform Admin Center (PPAC). This UX-first experience offered a seamless, intuitive interface for managing environments, automating everyday tasks, and discovering new capabilities within the platform. Today, we’re taking a bold step forward. We’re transforming Power Platform into an API-first ecosystem—where every feature in PPAC is backed by a well-documented, publicly accessible API. This evolution unlocks intelligent copilots, scalable automation, and enterprise-grade management experiences that are more accessible than ever before.... Apr 28, 2025 Post comments count 0 Post likes count 7 Microsoft Copilot Studio ❤️ MCP April, Daniel Ever wished your AI agents could tap into live data or execute actions beyond their built-in capabilities? Enter Model Context Protocol (MCP)—a game-changer for integrating external tools and data sources directly into your Copilot Studio agents. 🧠 What is MCP? Think of MCP as a universal adapter for AI applications. It standardizes how AI models access external tools, APIs, and knowledge bases. By leveraging MCP, you can: 🔄 MCP vs. Connectors: Better Together You might be wondering: When should I use MCP, and when should I use traditional connectors? Will MCP replace connectors? MCP servers are made a... Apr 20, 2025 Post comments count 0 Post likes count 3 Announcing the ‘Work with Power Fx functions’ Learning Path Daniel Laskewitz Based on community feedback, we’ve added a new learning path: Work with Power Fx functions. Check it out! Mar 25, 2025 Post comments count 0 Post likes count 0 Announcing the winners of the 2025 Powerful Devs Hack Together April Dunnam The 2025 Powerful Devs Hack Together brought developers together to build secure and scalable AI-powered solutions using Power Platform, Azure, AI Builder, and more. If you missed the event, you can still catch up on all the sessions covering AI, automation, security, extensibility, and more! 🎥 Watch here: aka.ms/powerfuldevs/ondemand Technologies Used in the Hackathon We loved seeing developers use so many different technologies to build their hack. Developers built projects using: ✔ Power Platform (Power Apps, Power Automate, Power Pages, Copilot Studio) ✔ Azure Services & AI Foundry ✔ Microsoft 365 ... Mar 5, 2025 Post comments count 0 Post likes count 0 Publishing, Managing and Securing: Building with Microsoft Copilot Studio Scott Durow If you would like to start building an agent in Microsoft Copilot Studio, don't worry we’ve got you covered! In our AI in Action: Building with Copilot Studio series on the Microsoft Power Platform YouTube channel, we have several episodes that guide you through how to get started in building an agent. This blog post will cover Copilot Studio Security, all those things that you need to know when publishing, managing and securing your agents when building with Microsoft Copilot Studio. In the Building with Microsoft Copilot Studio series, we showcase the different capabilities of building agents with Copilot Stud... Feb 28, 2025 Post comments count 0 Post likes count 1 Integrate Copilot Studio agents with Microsoft Entra External ID to give your customers access Joylynn Kirui Learn how to integrate Copilot Studio agents with Microsoft Entra External ID using the Generic OAUTH 2.0 service provider option, ensuring your customers can securely log in to your agents. Feb 27, 2025 Post comments count 0 Post likes count 0 Powerful Devs Hack Together 2025 Wrap Up Elaiza Benitez We're almost at the finish line! Our Powerful Devs Hack Together is coming to a close and we encourage you to continue with your AI journey. Load more posts Popular topics Power Apps Power Platform Power Platform CLI Copilot Studio AI Fusion development Power Platform Developer Code-first ALM Solutions Top Bloggers April Dunnam Principal Power Platform Advocate Daniel Laskewitz Senior Power Platform Advocate Grant Archibald Elaiza Benitez Joylynn Kirui Relevant Links Explore Guided Training Embrace the Low Code Revolution Join the Community Archive August 2025 July 2025 April 2025 March 2025 February 2025 January 2025 October 2024 August 2024 July 2024 June 2024 April 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 Follow this blog 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 Power Platform Developer Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://learn.interviewkickstart.com/ace-your-mock-interview#data_webinar_form | Ace your mock interview | Interview Kickstart Skip to content How it works Pricing FAQs Start Interviewing with FAANG+ Experts Start Interviewing with FAANG+ Experts Mock Interviews with FAANG+ Engineers — The Smarter Way to Prepare Gain confidence. Fix your gaps. Crack your next interview. Start Interviewing with FAANG+ Experts Interviewers from Offer: $200K - SDE @ 1.28M highest offer 4.8/5 Avg. Rating 3-5X Higher Offer 12,235 + Mock interviews Start Interviewing with FAANG+ Experts Interviewers from Interviewers from Practise mock interviews with 700+ experts Maximize Your Interviewing Potential Danielle Class Danielle Class is a Software Engineering Manager at Amazon, leading AI initiatives, and an instructor at Interview Kickstart. She brings 10+ years of experience across engineering, program management, and STEM education, with a strong focus on mentoring and curriculum development. Software Engineering Manager, Experience 16+ Years Mock interviews 230+ Rating 4.89 ★ Daniel Hoffman Daniel Hoffman is a Senior Technical Program Manager at Amazon Ring, leading cross-functional initiatives and product insights. With deep expertise in technical program management and a passion for mentoring, he helps candidates excel in TPM and PM interviews through focused mock sessions and practical feedback. Sr. Program Manager, Experience 10+ Years Mock interviews 145+ Rating 4.90 ★ Shruti Goli Shruti Goli is a Senior Product Manager at Incode, building cutting-edge ML and AI products for identity verification and deepfake detection. Formerly Chief Product Officer at Trymata and a PM at Microsoft, she brings deep expertise in AI product strategy and interview preparation. Senior Product Manager, Experience 20+ Years Mock interviews 180+ Rating 4.92 ★ James Ausman James Ausman is a Senior Technical Program Manager at Chime with deep experience spanning AWS, Eventbrite, Twilio, Google, and Square. Specializing in technical infrastructure, fintech, and program leadership, he mentors professionals preparing for TPM and PM roles at top-tier companies. Sr. Technical Program Manager, Experience 23+ Years Mock interviews 200+ Rating 4.90 ★ Praveen Kumar Kashimsetty Praveen Kumar is Director of Product Management at Rafay and a seasoned mentor at Interview Kickstart. With 16 years at Microsoft and leadership roles at Meta and Rafay, he brings deep expertise in cloud, infrastructure, and product management, helping professionals break into top-tier product and TPM roles. Director of Product Management Experience 20+ Years Mock interviews 200+ Rating 4.85 ★ Neha Ganjoo Neha Ganjoo is a seasoned Product Manager with over 20 years of experience in product development, strategy, and execution across diverse tech-driven industries. She has a proven track record of collaborating closely with engineering, design, and business teams to deliver impactful products, with expertise spanning market research, roadmap planning, user experience optimization, and leading growth initiatives in fast-paced, innovative environments. Capital Strategy Manager, Experience 16+ Years Mock interviews 230+ Rating 4.89 ★ Randy Cogill Randy Cogill is a Senior Research Scientist at Amazon with deep expertise in data science, optimization, and machine learning. He has led impactful projects in demand forecasting and inventory management, and previously taught at the University of Virginia while managing over $1M in funded research. Senior Research Scientist, Experience 20+ Years Mock interviews 200+ Rating 4.86 ★ Jacob Markus Jacob Markus is a Capital Strategy Manager at Meta with deep expertise in financial planning, data center operations, and large-scale cost forecasting. He brings experience from top tech firms like AWS and Apple, where he led strategic initiatives spanning R&D finance, risk modeling, and global forecasting. Capital Strategy Manager, Experience 12+ Years Mock interviews 155+ Rating 4.76 ★ Hanif Mahboobi Hanif Mahboobi is a seasoned AI and data science leader with over 12 years of experience across top firms like PayPal, Meta, AWS, and Albertsons. He specializes in AI strategy, personalization systems, and leadership of high-impact data teams, and also actively mentors professionals transitioning into advanced AI and ML roles. Senior Data Science Leader, Experience 16+ Years Mock interviews 270+ Rating 4.81 ★ Matt Nickens Matt Nickens is a Senior Manager of Data Science at CarMax, with prior leadership roles at Meta, Disney, and 20th Century Fox. He has deep expertise in building and scaling data science teams, driving insights across tech and entertainment, and delivering impactful analytics solutions. Sr Manager - Data Science Experience 17+ Years Mock interviews 165+ Rating 4.71 ★ Naveen Neppalli Naveen Neppalli is Vice President of AI at Viant Technology and Vouched, with 18+ years of leadership in AI, ML, and GenAI across Amazon, Disney, and more. He specializes in large-scale AI systems, computer vision, and personalized recommendations, and mentors on deep tech and engineering leadership. VP of AI & Engineering Experience 19+ Years Mock interviews 190+ Rating 4.92 ★ Thang Tran Thang Tran is a seasoned Backend and Data Software Engineer with 7+ years of experience bridging data engineering, machine learning, and backend development. He specializes in building scalable systems, robust data pipelines, and APIs that power ML models and data-driven decision-making, with deep expertise in Python, Django, Flask, Kubernetes, AWS, and GCP. Senior Data Engineer Experience 15+ Years Mock interviews 140+ Rating 4.79 ★ David Prorok David Prorok is a former Software Engineer at Facebook with 10+ years of experience in front-end engineering and product development. He now coaches engineers at Interview Kickstart and leads innovative projects blending AI, mindfulness, and creative education, bringing a unique mix of technical depth and coaching expertise. Front-end Engineering Experience 17+ Years Mock interviews 160+ Rating 4.88 ★ How Our Mock Interviews Work Your Path to Interview Success in 3 Simple Steps Pick a Domain Choose from DSA, System Design, or Behavioral based on your preparation needs. Book a Mock Interview Get matched with a real FAANG+ interviewer for a personalized 1-on-1 practice session. Sharpen Your Prep Review your mock interview recordings and feedback to fix weak spots before your next round. As seen on Mock Interview Samples A preview of the typical FAANG interview FAANG Mock Interview with Software Engineer | Recursion Interview Full Stack Mock Interview | Interview Questions with Software Engineer Google Mock Interview with Software Engineer | Object Modelling ML & DL Mock Interview by AI Reality Labs Manager at Meta Mock Interview by Co-Founder at Trebellar | Object Modelling #MAANG Pick the Perfect Package for Your Goals $199 $250 Essential Pack Ideal for candidates seeking a focused, single mock interview with expert feedback. 1 Mock Interview Resume & LinkedIn review Personalized written feedback One-on-one session with a FAANG+ expert Enroll Now $525 $750 Elite Pack Designed for professionals who want to refine their skills with more interview practice. 3 Mock Interviews Resume & LinkedIn review Personalized written feedback Access to curated prep guides & practice questions One-on-one sessions with FAANG+ experts Interviewer Selection by Request Enroll Now Why Top Professionals Choose IK Expert-Led Coaching Practice with 600+ FAANG+ interviewers who know what it takes. Realistic Experience Live sessions mirror real interviews at top tech companies. Actionable Feedback Get detailed input on both technical and soft skills. Proven Results Candidates land offers 3x–5x higher than the industry average. What our students have to say Each instructor-led session was packed with information and there were lots of problems to practice. The course was intense, but it was a great use of my time. Neelesh Tendulkar Offers from Google, Intuit Interview Kickstart is like a fitness coach which guides to achieve your dream job. It can help you identify your weak points and also suggest steps to improve them. Swapnil Tailor Offers from Facebook, Twitter, Linkedin The classes, workshops, quizzes, practice problems, and mock interviews provided me with the knowledge, tools, and the feedback that I was missing. Interview Kickstart showed me how to prepare for success. Flavia Vela Offers from LinkedIn, Amazon IK provides a nice, structured way to prepare for interviews while having a full-time job. Mock interviews helped me get better and the problem sets alleviated the need for me to source problems externally. Kushal L Offers from Facebook Read more reviews Top companies love hiring our candidates FAQs General About Interviewers About Mock Interviews Refund Policy Why should I choose Interview Kickstart? Interview Kickstart is the Gold Standard for Interview Preparation—no other program comes close. We’ve helped more than 25,000 candidates land their dream jobs at top companies (including those who previously struggled with interviews). While others focus on “hacking” interviews, we focus on making you a better professional. Top companies like Google, Meta, and Amazon have 5-7 interview rounds with experienced engineers—shortcuts just don’t work. Our interviewer quality is unparalleled—every instructor is a FAANG+ industry expert, rigorously vetted to ensure you learn from the best. This commitment to excellence is part of IK’s DNA. With years of experience assisting professionals like you in achieving their career goals, we understand what it takes to succeed in today’s competitive job market. What results can I expect? Candidates who train with us see a success rate 3 to 5 times higher in landing FAANG+ offers compared to the industry average. Do you offer guidance beyond mock interviews? Yes. We provide tailored resources to boost your prep, including resume analysis, skill gap analysis, LinkedIn profile review, target role insights, salary benchmarks, curated guides, and practice questions. Who are the Interview Kickstart interviewers? We have a team of over 600 experienced hiring managers and experts from Tier 1 tech and product companies. They know exactly what it takes to succeed in top-tier interviews. How are Interview Kickstart interviewers vetted? Our instructors are all hand-picked FAANG+ experts, personally vetted by our founder, Soham Mehta (ex-Box). They undergo a rigorous screening process, including trial interviews, and are continuously evaluated to ensure top-tier quality instruction. We aim to provide the best learning experience to ensure your success. Can I choose my mock interviewer? Can I request someone from a specific company? Yes, you can request a specific interviewer from a particular company (e.g., a Googler for a Google interview). While we do our best to accommodate such requests, interviewer selection is subject to availability. Simply submit a request, and we will inform you if we can match you with your preferred choice. What level of experience is required to take mock interviews? You don’t need to be at any specific experience level to practice interviewing with us. Our interviews are tailored for professionals at all levels, whether you’re preparing for your first technical interview or targeting a leadership position. How does Interview Kickstart’s training compare to self-practice? While practicing in front of the mirror can be helpful, Interview Kickstart Mock Interviews provide a more structured, comprehensive training with real FAANG+ experts, ensuring focused learning, faster progress, and better outcomes. How do I book a mock interview? Booking is quick and easy: Visit pricing anchor link. Select a package that fits your goals and budget Choose your preferred date and time Attend a live, interactive mock interview with FAANG+ experts and receive personalized feedback What kind of questions are asked in mock interviews? Our mock interviews mirror real FAANG+ interviews and are tailored to your role. Here is a sample of the topics you could practice for: Software Engineers: CS fundamentals, data structures, algorithms, and systems design. Product Managers: Product strategy, prioritization, user empathy, and analytical problem-solving. Engineering Managers: People management, technical leadership, project execution, and systems design. Data Scientists/ML Engineers: Statistics, machine learning, coding, data analysis, and experimental design. Technical Program Managers: Program management, cross-functional communication, and risk mitigation. What if I’m already good at coding? Will this package still benefit me? Yes. Even experienced coders benefit from advanced topics, mock interviews, and feedback that fine-tunes their problem-solving and communication skills. How realistic are these mock interviews? They’re live and designed to closely replicate actual FAANG+ interviews, ensuring you’re fully prepared for the real thing. How private are the mock interviews? Our mock interviews are designed to simulate real interview conditions, including both audio and video, though the format can be adjusted based on your preference. All our instructors have signed Non-Disclosure Agreements (NDAs) with us, guaranteeing that any information shared during your mock interview will remain strictly confidential. You have complete control over what personal details you choose to disclose during the session. How soon can I book my mock interview? You can usually schedule your first mock interview within 24 hours of purchasing a package. Can I cancel/reschedule my mock interview? You can cancel or reschedule for free if done at least 24 hours in advance. Cancellations or reschedules within 24 hours of the session will count as a completed session with no refunds. What happens if I don’t show up for my interview? If you miss your scheduled mock interview, it will be counted as completed, and no refund or rescheduling will be available. What kind of feedback will I receive? You’ll get detailed written feedback covering the below aspects (and more): Technical skills Problem-solving approach Communication style Behavioral interview responses Can I track my progress over time? Yes! Our platform includes progress tracking tools to monitor your growth and target key improvement areas. Can I review my mock interviews afterward? Absolutely! You’ll have lifetime access to your recordings, so you can rewatch, reflect, and improve anytime. What if I’m not satisfied with my purchase? Our refund policy is outlined below: Full Refund: Available if requested within 72 hours of purchase, provided no mock interview has been scheduled. 50% Refund: Available if requested within 10 days of purchase, provided no mock interview has been scheduled. No Refunds: After 10 days from the purchase date or if at least one mock interview has been scheduled. The refund approval process will be completed within 30 days of raising the request. Once your refund is approved, you will no longer have access to any session materials or classes. To request a refund, submit a request from your account dashboard. Can I get a refund for unused mock interviews? Yes, unused mock interview sessions are eligible for a refund within 72 hours of completing your last session. After this, refunds will no longer be available, but you can still use your remaining sessions anytime in the future. In case where you get a refund, it will be adjusted based on the original discount applied. For example: If you purchased 3 discounted sessions for $600 (3 x $200) and used only 1 session, your refund will be calculated based on the 2-session price (2 x $200 = $400). Your refund amount would be $600 – $200 = $400. If you used 2 sessions, the refund would be $600 – $400 = $200. To request a refund, you must inform us within 72 hours of your last interview. How long does it take to process refunds after approval? After approval, refunds will be processed within 5 to 7 business days and credited to the original payment method. About us Why us Reviews Instructors FAQs Contact us Careers Life at IK Data Source Discover IK About us Reviews FAQs Careers Data Source Why us Reviews FAQs Contact us Life at IK Socials © Copyright 2026. All Rights Reserved. © Copyright 2026. All Rights Reserved. T&C Privacy Policy Register for our webinar How to Nail your next Technical Interview 1 hour Webinar Slot Blocked Loading... 1 Enter details 2 Select webinar slot Your name *Invalid Name Email Address *Invalid Email Address Your phone number *Invalid Phone Number I agree to receive updates and promotional messages via WhatsApp By sharing your contact details, you agree to our privacy policy. Select your webinar time Select a Date November 20 November 20 November 20 Time slots 22:30 22:30 22:30 22:30 22:30 Time Zone: Finish Back Almost there... Share your details for a personalised FAANG career consultation! Work Experience in years * Required Select one... 0-2 3-4 5-8 9-15 16-20 20+ Domain/Role * Required Select one... Back-end Cloud Engineer Cyber Security Data Engineer Data Science Front-end Full Stack Machine Learning / AI Engineering Manager - any domain Tech Product Manager Product Manager (Non Tech) Technical Program Manager Test Engineer / SDET / QE Android Developer iOS Developer Site Reliability Engineer Embedded Software Engineer Other Software Engineers Data Analyst / Business Analyst Core Engineering/STEM degree Salesforce developer DevOps Engineer None of the above I have been laid off recently I’m currently a student Next Back Your preferred slot for consultation * Required Morning (9AM-12PM) Afternoon (12PM-5PM) Evening (5PM-8PM) Get your LinkedIn Profile reviewed * Invalid URL Beat the LinkedIn algorithm—attract FAANG recruiters with our insights! Get your Resume reviewed * Max size: 4MB Upload Resume (.pdf) Only the top 2% make it—get your resume FAANG-ready! Finish Back Registration completed! 🗓️ Friday, 18th April, 6 PM Your Webinar slot ⏰ Mornings, 8-10 AM Our Program Advisor will call you at this time Resume Browsing Book a Free 1:1 Call with an Interview Strategy Consultant Join a personalized session to know how we can fast-track your FAANG+ job offer. Gaps in your interview readiness and how to fix them Custom mock interview plans based on your target role Real success stories and sample feedback reports Role-specific prep for EM, PM, DS, and SWE interviews 4.8 ⭐️ 4.7 ⭐️ 4.8 ⭐️ 4.7 ⭐️ Book your session Join a personalized session to know how we can fast-track your FAANG+ job offer. Full Name ⓘ Enter first name Email Address ⓘ Please enter a valid email Contact Number ⓘ Please enter valid number ⓘ Used to send reminder for webinar I wish to receive further updates and confirmation via Whatsapp By sharing your contact details, you agree to our privacy policy . Proceed Choose a slot Time Zone: Asia/Dhaka Select a Date November 20 November 20 November 20 Time slots 22:30 22:30 22:30 22:30 22:30 SAT 23 06:00 AM Almost full SAT 23 06:00 AM SAT 23 06:00 AM Filling fast SAT 23 06:00 AM SAT 23 06:00 AM SAT 23 06:00 AM SAT 23 06:00 AM SAT 23 06:00 AM SAT 23 06:00 AM Back Proceed Years of experience Select option 0-2 3-4 5-8 9-15 16-20 20+ ⓘ Select experience I’m currently a student Domain/Role Select option Back-end Cloud Engineer Cyber Security Data Engineer Data Science Front-end Full Stack Machine Learning / AI Engineering Manager - any domain Tech Product Manager Product Manager (Non Tech) Technical Program Manager Test Engineer / SDET / QE Android Developer iOS Developer Site Reliability Engineer Embedded Software Engineer Other Software Engineers Data Analyst / Business Analyst Core Engineering/STEM degree Salesforce developer DevOps Engineer None of the above ⓘ Select domain Starting interviews in Select option I’m already interviewing <30 days 30 - 60 days 60 days" data-cr="1.13">>60 days No plans as of yet ⓘ Select interview start plan I have been laid off recently Back Submit Registration completed! Looking forward to meeting you on 🗓️ Monday 09 December ⏳ 07:30 AM Details have been sent to your email Explore other programs View Testimonials Loading Comments... Write a Comment... Email (Required) Name (Required) Website | 2026-01-13T08:48:10 |
https://twitter.com/botchagalupe | 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:10 |
https://dev.to/t/indie/page/4 | Indie Page 4 - 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 # indie Follow Hide independent spirit, lo-fi vibes Create Post Older #indie posts 1 2 3 4 5 6 7 8 9 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 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:10 |
https://devblogs.microsoft.com/powershell/ | PowerShell Team - Automating the world one-liner at a time… 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 PowerShell Team PowerShell Team Automating the world one-liner at a time… Latest posts Aug 5, 2025 Post comments count 0 Post likes count 3 Introducing MCP Support in AI Shell Preview 6 Steven Bucher We're excited to share the latest preview release of AI Shell that includes new features and improvements based on your feedback. Jul 24, 2025 Post comments count 3 Post likes count 6 Announcing Microsoft.PowerShell.PlatyPS 1.0.0 Jason, Sean We are pleased to announce the general availability of Microsoft.PowerShell.PlatyPS 1.0.0, a tool to build PowerShell help files. Jun 18, 2025 Post comments count 0 Post likes count 3 Announcing Microsoft Desired State Configuration v3.1.0 Jason Helmick This post announces the release of Microsoft Desired State Configuration v3.1.0. We discuss the features and benefits of DSC and how it differs from PowerShell DSC. May 21, 2025 Post comments count 1 Post likes count 5 AI Shell Preview 4 Release! Steven Bucher We're excited to share the latest preview release of AI Shell that includes new features and improvements based on your feedback. Apr 14, 2025 Post comments count 4 Post likes count 3 PowerShell, OpenSSH, and DSC team investments for 2025 Steve Lee Planned team investments for 2025 for PowerShell, OpenSSH, DSC, and related tooling. Mar 12, 2025 Post comments count 0 Post likes count 3 Authoring Enhancements in Microsoft Desired State Configuration v3.0.0 Jason Helmick This is the third post in a multi-part series about the new release of DSC. Microsoft Desired State Configuration (DSC) v3.0.0 provides powerful feature that enhance the authoring experience. DSC command completer The completer command returns a shell script that, when executed, registers completions for the given shell. DSC can generate completion scripts for the following shells: To learn more, see the command reference documentation. Enhanced Authoring with Schemas Working with DSC platform involves writing configuration documents and resource manifests. D... Mar 12, 2025 Post comments count 4 Post likes count 4 Get started with Microsoft Desired State Configuration v3.0.0 Jason Helmick This post show you how to install DSC v3.0.0 and get started using the **dsc** command. Mar 12, 2025 Post comments count 6 Post likes count 12 Announcing Microsoft Desired State Configuration v3.0.0 Jason Helmick This post announces the release of Microsoft Desired State Configuration v3.0.0. We discuss the features and benefits of DSC and how it differs from PowerShell DSC. Feb 28, 2025 Post comments count 6 Post likes count 5 Announcing AI Shell Preview 2 Steven Bucher We are pleased to share a new preview release of AI Shell! Load more posts Popular topics PowerShell DSC Desired State Configuration FAQ Windows PowerShell Desired State Configuration DSC Resource Kit CTP3 PowerShell 4.0 Resources Windows PowerShell 4.0 Relevant Links PowerShell on GitHub PowerShell Documentation Top Bloggers Jason Helmick SR. PRODUCT MANAGER Steven Bucher Product Manager Steve Lee Principal Software Engineer Manager Archive August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 November 2024 October 2024 April 2024 February 2024 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 February 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 August 2013 July 2013 June 2013 April 2013 March 2013 January 2013 December 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 December 2011 October 2011 September 2011 August 2011 July 2011 June 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 July 2010 June 2010 May 2010 April 2010 March 2010 February 2010 January 2010 December 2009 November 2009 October 2009 September 2009 August 2009 July 2009 June 2009 May 2009 April 2009 March 2009 February 2009 January 2009 December 2008 November 2008 October 2008 September 2008 August 2008 July 2008 June 2008 May 2008 April 2008 March 2008 February 2008 January 2008 December 2007 November 2007 October 2007 September 2007 August 2007 July 2007 June 2007 May 2007 April 2007 March 2007 February 2007 January 2007 December 2006 November 2006 October 2006 September 2006 August 2006 July 2006 June 2006 May 2006 April 2006 November 2001 Follow this blog 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 PowerShell Team Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://twitter.com/intent/tweet?text=%22What%20I%20Wish%20I%20Knew%20Before%20Deploying%20My%20First%20Backend%20Application.%22%20by%20juweria%20mohamood%20%23DEVCommunity%20https%3A%2F%2Fdev.to%2Fjuweria_%2Fwhat-i-wish-i-knew-before-deploying-my-first-backend-application-e07 | 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:10 |
https://devblogs.microsoft.com/dotnet/category/maintenance-and-updates/ | Maintenance & Updates - Category | .NET 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 .NET Blog Category: Maintenance & Updates .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now Showing category results for Maintenance & Updates Dec 9, 2025 Post comments count 2 Post likes count 0 .NET and .NET Framework December 2025 servicing releases updates .NET, Tara A recap of the latest servicing updates for .NET and .NET Framework for December 2025. .NET .NET Framework Maintenance & Updates Nov 11, 2025 Post comments count 0 Post likes count 2 .NET and .NET Framework November 2025 servicing releases updates Tara, Victor A recap of the latest servicing updates for .NET and .NET Framework for November 2025. .NET .NET Framework Maintenance & Updates Oct 14, 2025 Post comments count 0 Post likes count 0 .NET and .NET Framework October 2025 servicing releases updates Tara, Victor A recap of the latest servicing updates for .NET and .NET Framework for October 2025. .NET .NET Framework Maintenance & Updates Oct 14, 2025 Post comments count 0 Post likes count 2 Announcing the .NET Security Group Jamshed Damkewala Learn how to join the .NET Security Group for early access to CVE information and help deliver security patches to your .NET distribution simultaneously with Microsoft. .NET Maintenance & Updates Lifecycle Sep 16, 2025 Post comments count 29 Post likes count 26 .NET STS releases supported for 24 months Jamshed Damkewala .NET STS releases will be supported for 24 months .NET Maintenance & Updates Lifecycle Sep 9, 2025 Post comments count 2 Post likes count 0 .NET and .NET Framework September 2025 servicing releases updates Tara, Victor A recap of the latest servicing updates for .NET and .NET Framework for September 2025. .NET .NET Framework Maintenance & Updates Aug 5, 2025 Post comments count 3 Post likes count 0 .NET and .NET Framework August 2025 servicing releases updates Tara, Victor A recap of the latest servicing updates for .NET and .NET Framework for August 2025. .NET .NET Framework Maintenance & Updates Jul 8, 2025 Post comments count 3 Post likes count 0 .NET and .NET Framework July 2025 servicing releases updates Tara, Victor A recap of the latest servicing updates for .NET and .NET Framework for July 2025. .NET .NET Framework Maintenance & Updates Jun 10, 2025 Post comments count 0 Post likes count 2 .NET and .NET Framework June 2025 servicing releases updates Tara, Victor A recap of the latest servicing updates for .NET and .NET Framework for June 2025. .NET .NET Framework Maintenance & Updates May 13, 2025 Post comments count 0 Post likes count 3 .NET and .NET Framework May 2025 servicing releases updates Tara Overfield A recap of the latest servicing updates for .NET and .NET Framework for May 2025. .NET .NET Framework Maintenance & Updates Posts pagination 1 2 … 8 Load more posts Learn C# & .NET Free tutorials, videos, courses, and more for beginner through advanced .NET developers. Get Started Today Popular topics .NET Aspire .NET MAUI AI ASP.NET Core Blazor C# Developer Stories NuGet Azure .NET Feature Blogs .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework Machine Learning NuGet Languages C# F# Visual Basic Popular Topics .NET Internals .NET Servicing Containers Developer Stories Performance More .NET Download .NET .NET Community .NET Documentation .NET API Browser Learn .NET Learning Hub Architecture Guidance Beginner Videos Customer Showcase Follow Twitter Mastodon YouTube Facebook LinkedIn GitHub Bluesky Archive January 2026 December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 March 2015 February 2015 January 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 September 2013 August 2013 July 2013 June 2013 May 2013 April 2013 March 2013 February 2013 January 2013 December 2012 November 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 December 2011 November 2011 October 2011 September 2011 August 2011 June 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 August 2010 July 2010 June 2010 May 2010 April 2010 March 2010 February 2010 January 2010 December 2009 November 2009 October 2009 September 2009 August 2009 July 2009 June 2009 May 2009 April 2009 March 2009 February 2009 January 2009 December 2008 November 2008 October 2008 September 2008 August 2008 July 2008 June 2008 May 2008 April 2008 March 2008 February 2008 January 2008 December 2007 November 2007 October 2007 September 2007 August 2007 July 2007 June 2007 May 2007 April 2007 March 2007 February 2007 January 2007 December 2006 November 2006 October 2006 September 2006 August 2006 July 2006 June 2006 May 2006 April 2006 March 2006 February 2006 January 2006 October 2005 July 2005 May 2005 December 2004 November 2004 September 2004 June 2004 Follow this blog 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 .NET Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://dev.to/adventuresinangular/ngrid-with-shlomi-assaf-aia-408#main-content | Ngrid with Shlomi Assaf - AiA 408 - 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 Adventures in Angular Follow Ngrid with Shlomi Assaf - AiA 408 Apr 4 '24 play In this week’s episode of Adventures in Angular the panel interviews Shlomi Assaf, talking about ngrid. After some playful banter about the naming of Ngrid, Shlomi shares the reasons behind building ngrid. The company he was working for at the time need a grid, he tested nggrid but wanted something completely opensource, so he built one. He also explains that nggrid caused some problems in their project which made him want something more customizable. Shlomi explains how much work is needed on the application and asks listeners to contribute to documentation or other areas of the project. Shai Reznik endorses Shlomi as one of the smartest peoples he knows and tells listeners if they want to learn from someone who knows a lot about angular to step up and join this project. The panel asks about the challenges Shlomi faced while building this app and what it was like using the CDK. Nggrid has a how company working on it but ngrid has only Shlomi. Shlomi explains that the CDK had a lot of the building blocks need to building blocks to build this application and was the power behind the project. The CDK’s lacks the ability to extend easily which was a challenge. He explains that his biggest frustration while building the application was the drag and drop feature. Shlomi shares many of the features he built into the application that even though he built it over a three year period he could do it piece by piece because of the way he designed it. He considers the selling points of the application and shares them with the panel. Shlomi compares ngrid to other grid, explaining how templating, creating columns and pagination are all made easier with ngrid. With ngrid there is also virtual scrolling and you can control the width of each column. Next, the pane considers performance, asking how the grid would handle if you loaded thousand or even tens of thousands of records and data onto the grid. Shlomi explains that unless the cells were extremely complex that ngrid’s performance would not suffer. The panel how ngrid could work with serverside rendering but not with NativeScript. Shlomi explains version support and advises listeners to use Angular 8. The panel ends the episode by sharing information about next year's ng-conf. Tickets go on sale on October 1, 2019, the best deals go fast so watch out for them. Many of the panel will be there, Brian Love will be giving the Angular Fundamentals Two-Day Workshop. The CFP also opens October 1, 2019, and will close January 1, 2019. Aaron Frost invites anyone who would like to submit to reach out to the veteran panelists to nail down ideas for their conference proposals. He also recommends submitting more than one. Sponsors Chuck's Resume Template Developer Book Club Become a Top 1% Dev with a Top End Devs Membership Links https://www.npmjs.com/package/@pebula/ngrid https://shlomiassaf.github.io/ngrid/ https://www.ng-conf.org/speakers/ https://twitter.com/aaronfrost https://twitter.com/brian_love?lang=en Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:10 |
https://twitter.com/hoangleitvn | 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:10 |
https://devblogs.microsoft.com/dotnet/category/csharp/ | C# - Category | .NET 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 .NET Blog Category: C# .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now Showing category results for C# Jan 5, 2026 Post comments count 10 Post likes count 11 Generative AI with Large Language Models in C# in 2026 Jeremy Likness A practical introduction to modern AI for .NET developers. .NET C# AI Dec 30, 2025 Post comments count 0 Post likes count 2 Top .NET Blog Posts of 2025 Jon Galloway Let's look back at the most-read .NET blog posts published in 2025, from .NET 10 to AI, performance, and developer tooling. .NET C# Visual Studio Dec 16, 2025 Post comments count 11 Post likes count 0 Microsoft.Testing.Platform Now Fully Supported in Azure DevOps Youssef Fahmy Azure DevOps enhanced support for Microsoft.Testing.Platform, from running tests to publishing results! .NET C# F# Dec 8, 2025 Post comments count 4 Post likes count 5 Microsoft Learn MCP Server Elevates Development Wendy, Eric Explore how the Learn MCP server enhances the developer experience with Copilot, showcase practical examples, and provide straightforward integration instructions for Visual Studio, Visual Studio Code, the Copilot Command Line Interface, and the Copilot Coding Agent .NET C# Visual Studio Dec 4, 2025 Post comments count 4 Post likes count 2 .NET Conf 2025 Recap – Celebrating .NET 10, Visual Studio 2026, AI, Community, & More .NET Team .NET Conf 2025 is over, but you can catch up with all the announcements and fun with video recordings, slides, demos, and more. .NET ASP.NET Core C# Nov 17, 2025 Post comments count 12 Post likes count 7 Introducing C# 14 Bill Wagner Learn what features are in C# 14, which ships as part of .NET 10. .NET C# Nov 11, 2025 Post comments count 15 Post likes count 47 Announcing .NET 10 .NET Team Announcing the release of .NET 10, the most productive, modern, secure, intelligent, and performant release of .NET yet. With updates across ASP.NET Core, C# 14, .NET MAUI, Aspire, and so much more. .NET ASP.NET Core C# Oct 28, 2025 Post comments count 4 Post likes count 7 Introducing Custom Agents for .NET Developers: C# Expert & WinForms Expert Wendy Breiding (SHE/HER) Introducing C# Expert and WinForms Expert: experimental custom agents that help .NET developers write better code with GitHub Copilot. .NET C# AI Oct 23, 2025 Post comments count 0 Post likes count 8 Upgrading to Microsoft Agent Framework in Your .NET AI Chat App Bruno Capuano Step-by-step review on how to upgrade your .NET AI chat app to Microsoft Agent Framework for better architecture, tool integration, and intelligent reasoning. .NET C# AI Oct 14, 2025 Post comments count 1 Post likes count 5 Announcing .NET 10 Release Candidate 2 .NET Team .NET 10 Release Candidate 2 focuses on final quality, reliability, and stabilization across the runtime, SDK, libraries, ASP.NET Core, Blazor, .NET MAUI, and more. .NET ASP.NET Core C# Posts pagination 1 2 … 20 Load more posts Learn C# & .NET Free tutorials, videos, courses, and more for beginner through advanced .NET developers. Get Started Today Popular topics .NET Aspire .NET MAUI AI ASP.NET Core Blazor C# Developer Stories NuGet Azure .NET Feature Blogs .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework Machine Learning NuGet Languages C# F# Visual Basic Popular Topics .NET Internals .NET Servicing Containers Developer Stories Performance More .NET Download .NET .NET Community .NET Documentation .NET API Browser Learn .NET Learning Hub Architecture Guidance Beginner Videos Customer Showcase Follow Twitter Mastodon YouTube Facebook LinkedIn GitHub Bluesky Archive January 2026 December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 March 2015 February 2015 January 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 September 2013 August 2013 July 2013 June 2013 May 2013 April 2013 March 2013 February 2013 January 2013 December 2012 November 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 December 2011 November 2011 October 2011 September 2011 August 2011 June 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 August 2010 July 2010 June 2010 May 2010 April 2010 March 2010 February 2010 January 2010 December 2009 November 2009 October 2009 September 2009 August 2009 July 2009 June 2009 May 2009 April 2009 March 2009 February 2009 January 2009 December 2008 November 2008 October 2008 September 2008 August 2008 July 2008 June 2008 May 2008 April 2008 March 2008 February 2008 January 2008 December 2007 November 2007 October 2007 September 2007 August 2007 July 2007 June 2007 May 2007 April 2007 March 2007 February 2007 January 2007 December 2006 November 2006 October 2006 September 2006 August 2006 July 2006 June 2006 May 2006 April 2006 March 2006 February 2006 January 2006 October 2005 July 2005 May 2005 December 2004 November 2004 September 2004 June 2004 Follow this blog 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 .NET Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://devblogs.microsoft.com/dotnet/category/dotnet-aspire/ | .NET Aspire - Category | .NET 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 .NET Blog Category: .NET Aspire .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now Showing category results for .NET Aspire Dec 30, 2025 Post comments count 0 Post likes count 2 Top .NET Blog Posts of 2025 Jon Galloway Let's look back at the most-read .NET blog posts published in 2025, from .NET 10 to AI, performance, and developer tooling. .NET C# Visual Studio Nov 4, 2025 Post comments count 0 Post likes count 8 Get Ready for .NET Conf 2025! Jon Galloway The biggest .NET event of the year is just one week away! Join us November 11-13 for .NET 10 and Visual Studio 2026, plus a Student Zone on November 14th. .NET ASP.NET ASP.NET Core Oct 23, 2025 Post comments count 0 Post likes count 8 Upgrading to Microsoft Agent Framework in Your .NET AI Chat App Bruno Capuano Step-by-step review on how to upgrade your .NET AI chat app to Microsoft Agent Framework for better architecture, tool integration, and intelligent reasoning. .NET C# AI Sep 25, 2025 Post comments count 2 Post likes count 9 Announcing Aspire 9.5 Jeffrey Fritz Aspire 9.5 adds the preview 'aspire update' command, single-file AppHost, richer CLI and dashboard UX, and new integrations for AI, DevTunnels, and more. .NET Cloud Native .NET Aspire Aug 28, 2025 Post comments count 0 Post likes count 1 Getting Started with the Aspire CLI Jeffrey Fritz The Aspire CLI is here and you can use it to configure and run your applications .NET Cloud Native .NET Aspire Jul 30, 2025 Post comments count 9 Post likes count 11 Building a Full-Stack App with React and Aspire: A Step-by-Step Guide Sayed Ibrahim Hashimi Discover how to build a full-stack application with React and Aspire, integrating a React front-end with an ASP.NET Core Web API and persisting data to a database. .NET .NET Aspire Jul 29, 2025 Post comments count 3 Post likes count 19 Aspire 9.4 is here with a CLI and interactive dashboard features Maddy Montaquila Aspire 9.4 is packed with new features, integrations, and improvements .NET Aspire .NET Featured May 19, 2025 Post comments count 0 Post likes count 5 .NET Aspire 9.3 is here and enhanced with GitHub Copilot! Jeffrey T. Fritz .NET Aspire 9.3 is the biggest release of .NET Aspire yet, with the introduction of GitHub Copilot directly into the .NET Aspire Dashboard, updates for integrations, app model enhancements, and more. .NET ASP.NET Core C# Apr 17, 2025 Post comments count 2 Post likes count 13 Preview 2 of the .NET AI Template Now Available Jordan Matthiesen Preview 2 of the .NET AI Chat Web App template introduces support for .NET Aspire and Qdrant vector database integration, making it easier to create cloud-native AI-powered chat applications with custom data. .NET C# Visual Studio Apr 10, 2025 Post comments count 3 Post likes count 3 Aspire 9.2 is Now Available with New Ways to Deploy Jeffrey Fritz Aspire 9.2 is now available with cool new dashboard features and introducing the publishers feature .NET Cloud Native .NET Aspire Posts pagination 1 2 … 5 Load more posts Learn C# & .NET Free tutorials, videos, courses, and more for beginner through advanced .NET developers. Get Started Today Popular topics .NET Aspire .NET MAUI AI ASP.NET Core Blazor C# Developer Stories NuGet Azure .NET Feature Blogs .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework Machine Learning NuGet Languages C# F# Visual Basic Popular Topics .NET Internals .NET Servicing Containers Developer Stories Performance More .NET Download .NET .NET Community .NET Documentation .NET API Browser Learn .NET Learning Hub Architecture Guidance Beginner Videos Customer Showcase Follow Twitter Mastodon YouTube Facebook LinkedIn GitHub Bluesky Archive January 2026 December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 March 2015 February 2015 January 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 September 2013 August 2013 July 2013 June 2013 May 2013 April 2013 March 2013 February 2013 January 2013 December 2012 November 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 December 2011 November 2011 October 2011 September 2011 August 2011 June 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 August 2010 July 2010 June 2010 May 2010 April 2010 March 2010 February 2010 January 2010 December 2009 November 2009 October 2009 September 2009 August 2009 July 2009 June 2009 May 2009 April 2009 March 2009 February 2009 January 2009 December 2008 November 2008 October 2008 September 2008 August 2008 July 2008 June 2008 May 2008 April 2008 March 2008 February 2008 January 2008 December 2007 November 2007 October 2007 September 2007 August 2007 July 2007 June 2007 May 2007 April 2007 March 2007 February 2007 January 2007 December 2006 November 2006 October 2006 September 2006 August 2006 July 2006 June 2006 May 2006 April 2006 March 2006 February 2006 January 2006 October 2005 July 2005 May 2005 December 2004 November 2004 September 2004 June 2004 Follow this blog 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 .NET Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://dev.to/dataframed-podcast/102-how-an-always-learning-culture-drives-innovation-at-shopify | #102 How an Always-Learning Culture Drives Innovation at Shopify - 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 A DataFramed Podcast Follow #102 How an Always-Learning Culture Drives Innovation at Shopify Aug 29 '22 play Many times, data scientists can fall into the trap of resume-driven development. As in, learning the shiniest, most advanced technique available to them in an attempt to solve a business problem. However, this is not what a learning mindset should look like for data teams. As it turns out, taking a step back and focusing on the fundamentals and step-by-step iteration can be the key to growing as a data scientist, because when data teams develop a strong understanding of the problems and solutions lying underneath the surface, they will be able to wield their tools with complete mastery. Ella Hilal joins the show to share why operating from an always-learning mindset will open up the path to a true mastery and innovation for data teams. Ella is the VP of Data Science and Engineering for Commercial and Service Lines at Shopify , a global commerce leader that helps businesses of all size grow, market, and manage their retail operations. Recognized as a leading woman in Data science, Internet of things and Machine Learning, Ella has over 15 years of experience spanning multiple countries, and is an advocate for responsible innovation, women in tech, and STEM. In this episode, we talk about the biggest mistakes data scientists make when solving business problems, how to create cohesion between data teams and the broader organization, how to be an effective data leader that prioritizes their team’s growth, and how developing an always-learning mindset based on iteration, experimentation, and deep understanding of the problems needing to be solved can accelerate the growth of data teams. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:10 |
https://dev.to/t/indie/page/3 | Indie Page 3 - 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 # indie Follow Hide independent spirit, lo-fi vibes Create Post Older #indie posts 1 2 3 4 5 6 7 8 9 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Did I waste my time 'launching' on product hunt? Stanislav(Stas) Katkov Stanislav(Stas) Katkov Stanislav(Stas) Katkov Follow Mar 4 '19 Did I waste my time 'launching' on product hunt? # producthunt # indie 5 reactions Comments 2 comments 1 min read How to use UnityWebRequest for your Rest API? Alexandr K Alexandr K Alexandr K Follow for Balconygames Jan 3 '19 How to use UnityWebRequest for your Rest API? # unity3d # gamedev # indie # madewithunity 20 reactions Comments 1 comment 3 min read Game development is hard Alexandr K Alexandr K Alexandr K Follow for Balconygames Jan 2 '19 Game development is hard # gamedev # indie # indiegamedev # unity3d 12 reactions Comments 3 comments 2 min read Been thinking about going remote? I think I found a way. Stanislav(Stas) Katkov Stanislav(Stas) Katkov Stanislav(Stas) Katkov Follow Nov 8 '18 Been thinking about going remote? I think I found a way. # indie # code2survive # remote 9 reactions Comments Add Comment 1 min read Thoughts on doing side-projects while short on time Antonio Radovcic Antonio Radovcic Antonio Radovcic Follow Oct 24 '18 Thoughts on doing side-projects while short on time # sideprojects # hobby # gamedev # indie 56 reactions Comments 8 comments 3 min read Sunsetting Pronto Checker - Technical and Business Lessons Learned Jerry Yu Jerry Yu Jerry Yu Follow Jul 8 '18 Sunsetting Pronto Checker - Technical and Business Lessons Learned # indie # ios # app # sunset 10 reactions Comments Add Comment 9 min read A MAZE in Berlin - my impressions Adam Sawicki Adam Sawicki Adam Sawicki Follow May 4 '18 A MAZE in Berlin - my impressions # amaze # berlin # indie # gamedev 5 reactions Comments Add Comment 2 min read Introducing Creative Owlet Zeke Hernandez Zeke Hernandez Zeke Hernandez Follow Nov 10 '17 Introducing Creative Owlet # gamedev # indie 5 reactions Comments 10 comments 1 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 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:10 |
https://learn.interviewkickstart.com | The Best Technical Interview Prep Courses | Interview Kickstart Skip to content Get complete details of the course and our training methodology Join our next webinar Register Now Register for our webinar PROGRAM BY FAANG+ INSTRUCTORS Nail the toughest tech interviews Customizable tech interview prep courses designed by 500+ Tier-1 instructors and mentors. Instructors from Register Now What will I learn in this webinar? Next webinar starts in 00 DAYS : 00 HR : 00 MINS : 00 SEC Why Choose Interview Kickstart? Designed by Tier-1 instructors Get trained and mentored by tech leads, hiring managers, and recruiters from Tier-1 tech companies Individualized teaching Sharpen your skills with technical and career coaching and 1:1 mentorship sessions with Tier-1 instructors Mock interviews Live interview practice in real-life simulated environments with interviewers from Tier-1 tech companies Personalized feedback Constructive, structured, and actionable insights for improved interview performance Salary negotiation Company, level, and role-specific strategies based on real, proprietary data Career skills development Resume building, LinkedIn profile optimization, personal branding, and live behavioral workshops Join our next free webinar View all courses View all courses Our results $50K - $200K Salary hike range for candidates who chose to level up 18 Highest number of offers received by an alum $1.28M Highest compensation received by an alum 4.9 4.2 4.8 Top companies love hiring our candidates! Meet your instructors and mentors from FAANG and Tier-1 tech companies Our program is designed, taught, and continuously refined by tech experts and top hiring managers. Qiuping XU Principal Scientist Dorando Dwaine Technical Product Manager Zhuang Liang Site Reliability Engineering Alison Fauci Software Engineer Daniel Phelps Site Reliability Engineering Matt Nickens Manager, Data Science View more instructors Pick a program that suits your goal Step Up Accelerated interview prep to step up into a Tier-1 company < 2 Months to prepare Self-paced course 10 mentor sessions/mock interviews Customizable Placement assistance Unlimited coaching sessions Learn more EDGE Up Upskill with latest AI skills and nail your next tech interview 3+3 Months to prepare Instructor-led live course 15-21 live mentor sessions/mock interview Generative AI module customized to your domain Capstone projects Placement assistance Unlimited coaching sessions Interview Prep + Generative AI (Edge Up) Advanced Generative AI AI for Tech Leaders Applied GenAI AI for TPMs AI for PMs Choose domain POPULAR Level Up Guided interview prep to level up into a Tier-1 company 3+ Months to prepare Instructor-led live course 15-21 mentor sessions/mock interviews Customizable Placement assistance Unlimited coaching sessions Learn more Learn more Switch Up Upskill and switch to a new role at a Tier-1 tech company 11+ Months to prepare Instructor-led live course 15 mentor sessions/mock interviews For Software Engineers, Data Engineers, EM, PM & more Placement assistance Unlimited coaching sessions Data Science SwitchUp Advanced Machine Learning SwitchUp Machine Learning Course Choose domain 18 interview prep courses for key engineering roles and levels All courses developed and taught by experienced FAANG instructors. Software Courses Back-end Engineering Full Stack Engineering Front-end Engineering Test Engineering iOS Engineering Android Engineering Early Engineering Tech Management Courses Engineering Manager Technical Program Manager Product Management Courses Product Manager (Tech) Product Manager (Non Tech) AI Product Manager Data Courses Machine Learning Data Engineering Data Science Data Analyst & Business Analyst Systems Courses Embedded Systems AWS Cloud Solutions Architect Site Reliability Engineering Cyber Security Join our webinar to learn more Not sure which course is right for you? No problem, you can also change your course anytime during the first 3 weeks. 18 interview prep courses for key engineering roles and levels All courses are developed for engineers with 5+ years of experience and taught by FAANG instructors Software Courses Back-end Engineering Full Stack Engineering Front-end Engineering Test Engineering iOS Engineering Android Engineering Early Engineering Tech Management Courses Engineering Manager Technical Program Manager Product Management Courses Product Manager (Tech) Product Manager (Non Tech) AI Product Manager Data Courses Machine Learning Data Engineering Data Science Data Analyst & Business Analyst Systems Courses Embedded Systems AWS Cloud Solutions Architect Site Reliability Engineering Cyber Security Join our webinar to learn more Not sure which course is right for you? No problem, you can also change your course anytime during the first 3 weeks. 50% Money-Back Guarantee* If you do well in our StepUp and LevelUp programs but still don't land a domain-relevant job within the post-program support period, we'll refund 50% of the tuition you paid for the course. Our courses are designed for working professionals like you Fully remote Attend live classes from anywhere. Classes in the evenings and on weekends Intense, but designed to fit into your work and life schedule. Long Support Period Even after you’ve completed the course, you’ll still have access to 1-on-1 mentorship, mock interviews, support in scheduling interviews, and negotiating your offer, for the next 6 months! Our student success stories Kushal L IK provides a nice, structured way to prepare for interviews while having a full-time job. Mock interviews helped me get better and the problem sets alleviated the need for me to source problems externally. Offers from : Neelesh Tendulkar Each instructor-led session was packed with information and there were lots of problems to practice. The course was intense, but it was a great use of my time. Offers from : Swapnil Tailor Interview Kickstart is like a fitness coach which guides to achieve your dream job. It can help you identify your weak points and also suggest steps to improve them. Offers from : Flavia Vela The classes, workshops, quizzes, practice problems, and mock interviews provided me with the knowledge, tools, and the feedback that I was missing. Interview Kickstart showed me how to prepare for success. Offers from : Michael Huston I can't think of a better recipe for tech interview success than combining the Interview Kickstart program with hard work. The program made my prep much more effective and eliminated surprises from the interview process. Offers from : Davide Testuggine The course was very intense. During the two months it lasted, I would easily work 2+ hours every day, weekends included, on the homework problems. This course is just practice, practice, practice. And it works! Fast forward a couple of weeks, and I accepted my offer with Facebook. Offers from : Tech courses designed by FAANG tech leads Live prep sessions with domain experts Recorded sessions & mock interviews for future reference What will you learn from this webinar? The fail-proof strategy for cracking the toughest tech interviews How you can accelerate your learning with the help of FAANG instructors The 4 areas you must prepare for before your interview The hiring process at Tier-1 tech companies (get insider insights) Overview of our customizable courses Our pricing and how to get started Hosted by our founding team 150,000+ Candidates have taken this webinar Register Now Privacy Policy * Terms and Conditions © Copyright 2026. All Rights Reserved. Register for our webinar How to Nail your next Technical Interview 1 hour Webinar Slot Blocked Loading... 1 Enter details 2 Select webinar slot Your name *Invalid Name Email Address *Invalid Email Address Your phone number *Invalid Phone Number I agree to receive updates and promotional messages via WhatsApp By sharing your contact details, you agree to our privacy policy. Select your webinar time Select a Date November 20 November 20 November 20 Time slots 22:30 22:30 22:30 22:30 22:30 Time Zone: Finish Back Almost there... Share your details for a personalised FAANG career consultation! Work Experience in years * Required Select one... 0-2 3-4 5-8 9-15 16-20 20+ Domain/Role * Required Select one... Back-end Cloud Engineer Cyber Security Data Engineer Data Science Front-end Full Stack Machine Learning / AI Engineering Manager - any domain Tech Product Manager Product Manager (Non Tech) Technical Program Manager Test Engineer / SDET / QE Android Developer iOS Developer Site Reliability Engineer Embedded Software Engineer Other Software Engineers Data Analyst / Business Analyst Core Engineering/STEM degree Salesforce developer DevOps Engineer None of the above I have been laid off recently I’m currently a student Next Back Your preferred slot for consultation * Required Morning (9AM-12PM) Afternoon (12PM-5PM) Evening (5PM-8PM) Get your LinkedIn Profile reviewed * Invalid URL Beat the LinkedIn algorithm—attract FAANG recruiters with our insights! Get your Resume reviewed * Max size: 4MB Upload Resume (.pdf) Only the top 2% make it—get your resume FAANG-ready! Finish Back Registration completed! 🗓️ Friday, 18th April, 6 PM Your Webinar slot ⏰ Mornings, 8-10 AM Our Program Advisor will call you at this time Resume Browsing Loading Comments... Write a Comment... Email (Required) Name (Required) Website | 2026-01-13T08:48:10 |
https://devblogs.microsoft.com/foundry/ | Microsoft Foundry 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 Microsoft Foundry Blog Microsoft Foundry Blog Your source for learning and building with our models, agents, and tools. Latest posts Dec 18, 2025 Post comments count 0 Post likes count 0 What’s new in Microsoft Foundry | October and November 2025 Jenn Cockrell Azure AI Foundry is now Microsoft Foundry. Read the latest announcements about agents, models, tools and more. Dec 7, 2025 Post comments count 0 Post likes count 4 Foundry IQ in Microsoft Agent Framework Farzad, Eduard Build enterprise-grade RAG agents with Foundry IQ Knowledge Bases in ~20 lines of Python. Learn how the Azure AI Search Context Provider brings intelligent, multi-hop retrieval to the Microsoft Agent Framework—no fragmented pipelines, just plug in the knowledge your agent needs. Dec 3, 2025 Post comments count 0 Post likes count 0 Announcing Foundry MCP Server (preview) in the cloud, speeding up AI development with Microsoft Foundry SeokJin Han MCP (Model Context Protocol) is a standard protocol that enables AI agents to securely connect with apps, data, and systems, supporting easy interoperability and seamless platform expansion. At Ignite, Microsoft Foundry introduced Foundry Tools, which serves as a central hub for discovering, connecting, and managing both public and private MCP tools securely, simplifying integration across more than 1,400 business systems and empowering agents. Microsoft Foundry also upleveled Foundry Agent Service to empower developers to securely build, manage, and connect AI agents with Foundry Tools, enabling seamless integra... Dec 2, 2025 Post comments count 0 Post likes count 0 ⭐Upcoming Virtual Event⭐ AI Dev Days, Level-Up Your AI Skills with Microsoft Reactor Jenn Cockrell Join us for AI Dev Days, a two-day virtual event exploring the latest Microsoft Azure, Foundry and GitHub innovations. Whether you’re modernizing legacy apps, building with agents, or exploring the newest AI models, this is your moment to skill up, ship faster, and connect with experts. Nov 25, 2025 Post comments count 0 Post likes count 0 Introducing Memory in Foundry Agent Service Lewis, Paul, Takuto Give your agents the power to remember Imagine your agent never asks the same question twice. Until now, most agents have been stateless. Each conversation resets to zero, forgetting what users said just minutes ago or weeks ago. Developers tried to bridge this gap with homegrown solutions — storing embeddings in databases, manually retrieving prior messages, or stuffing entire chat histories into prompts. These workarounds add latency, cost, and complexity, and still fall short of delivering truly personal, context-aware interactions. At Ignite 2025, we introduced the public preview of memory in Foundry Ag... Nov 25, 2025 Post comments count 0 Post likes count 0 Translation Customization, A Developer’s Guide to Adaptive Custom Translation Mohamed Elghazali Introduction Translation isn’t just converting words—it’s enabling global communication. Yet for businesses operating worldwide, achieving accuracy, speed, and domain-specific terminology has been a persistent challenge. Market trends show that 70% of consumers prefer content in their native language, and enterprises are under pressure to deliver real-time multilingual experiences without sacrificing quality. That’s why we’re introducing Adaptive Custom Translation (AdaptCT) in Microsoft Foundry Tools—a breakthrough that redefines how translation systems are customized. Instead of retraining models from scr... Nov 25, 2025 Post comments count 1 Post likes count 1 Introducing Multi-Agent Workflows in Foundry Agent Service Monalisa Whalin Across industries, organizations are moving from experimenting with single agents to running AI at the center of their business operations. While single agents excel at focused tasks, customers quickly discover that real enterprise work stretches across multiple steps, involves different roles, and requires strong governance. To operationalize AI in this environment, teams need a dependable way to coordinate agents, tools, and logic into complete, end-to-end processes. Over the past year, as customers deployed agents into production, the same challenges surfaced across industries: At M... Nov 25, 2025 Post comments count 0 Post likes count 1 Azure Content Understanding is now generally available Joe Filcik At Microsoft Ignite this year, we’re excited to announce that Azure Content Understanding in Foundry Tools is now generally available (GA). Over the past months, we’ve seen preview usage across industries, from large consultancies to healthcare leaders, with invaluable customer feedback shaping this release. With this GA release, we’re enabling flexibility and control with model choice, production-grade reliability, expanded region availability, and broader scenario coverage. In addition, this update brings tight integration with Microsoft Foundry Models, Foundry IQ powered by Azure AI Search, and agent ecosys... Nov 25, 2025 Post comments count 0 Post likes count 0 Assess Agentic Risks with the AI Red Teaming Agent in Microsoft Foundry Minsoo Thigpen Accelerate your trustworthy AI journey with the enhanced AI Red Teaming Agent in Microsoft Foundry. Empower developers to automate adversarial testing for both models and agentic systems—covering risks like prompt injection, prohibited actions, sensitive data leakage, and task adherence. Integrate red teaming into your CI/CD pipelines using the Foundry SDK and no-code UI wizard, enabling continuous safety evaluation and rapid prototyping. With PyRIT’s open-source attack strategies and customizable risk definitions, you can systematically probe vulnerabilities, benchmark improvements, and ensure robust safeguards ... Load more posts Create the future Securely design, customize, and manage AI applications and agents at scale with Microsoft Foundry. Get started Popular topics Microsoft Foundry What's New MSIgnite AIAgent MCP FoundryLocal Azure AI Services A2A Archive December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 Follow this blog 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 Microsoft Foundry Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://unjs.io/packages/h3 | h3 · Packages · UnJS UnJS Packages Blog Relations 49.2k h3 A minimal h(ttp) framework built for high performance and portability. H3 (pronounced as /eɪtʃθriː/, like h-3) is a minimal h(ttp) framework built for high performance and portability. 👉 Documentation Contribution Local development Clone this repository Install the latest LTS version of Node.js Enable Corepack using corepack enable Install dependencies using pnpm install Run tests using pnpm dev or pnpm test License Published under the MIT license. Made by @pi0 and community 💛 Documentation Stars 3.0k Monthly Downloads 4.2m Latest Version v1.11.1 GitHub GitHub View source Examples Report an issue Resources Resources Explore Relations Discover on npm Latest news H3 1.8 - Towards the Edge of the Web New h3 release with web and plain adapters, web streams support, object syntax event handlers, typed event handler requests and more! Published at August 15, 2023 Authors UnJS Unlock the potential of your web development journey with UnJS - where innovation meets simplicity, and possibilities become limitless. Community Contribute Discussions Contact us Content Search UnJS Website Design Kit GitHub © 2023 UnJS Team . Website is licensed under CC BY-NC-SA 4.0 | 2026-01-13T08:48:10 |
https://dev.to/dataframed-podcast/101-how-real-time-data-accelerates-business-outcomes | #101 How Real-Time Data Accelerates Business Outcomes - 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 A DataFramed Podcast Follow #101 How Real-Time Data Accelerates Business Outcomes Aug 22 '22 play Most companies experience the same pain point when working with data: it takes too long to get the right data to the right people. This creates a huge opportunity for data scientists to find innovative solutions to accelerate that process. One very effective method is to implement real-time data solutions that can increase business revenue and make it easier for anyone relying on the data to access the data they need, understand it, and make accurate decisions with it. George Trujillo joins the show to share how he believes real-time data has the potential to completely transform the way companies work with data. George is the Principal Data Strategist at DataStax , a tech company that helps businesses scale by mobilizing real-time data on a single, unified stack. With a career spanning 30 years and companies like Charles Schwab, Fidelity Investments, and Overstock.com, George is an expert in data-driven executive decision-making and tying data initiatives to tangible business value outcomes. In this episode, we talk about the real-world use cases of real-time analytics, why reducing data complexity is key to improving the customer experience, the common problems that slow data-driven decision-making, and how data practitioners can start implementing real-time data through small high-value analytical assets. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:10 |
https://devblogs.microsoft.com/visualstudio/ | Visual Studio 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 Visual Studio Blog Visual Studio Blog The official source of product insight from the Visual Studio Engineering Team Featured posts Nov 11, 2025 Post comments count 0 Post likes count 54 Visual Studio 2026 is here: faster, smarter, and a hit with early adopters Mads Kristensen Dear developers, We’re thrilled to announce that Visual Studio 2026 is now generally available! This is a moment we’ve built side by side with you. Your feed... Announcement Visual Studio 2026 Release Latest posts Jan 5, 2026 Post comments count 1 Post likes count 3 Welcome to 2026, A Growth Year for All of Us Jim Harrer I always enjoy the quiet stretch between Christmas and New Year’s. It’s one of the few moments in the year when things slow down just enough to reflect on what actually resonated. While many of us were unplugging, our digital team was doing the opposite, editing and publishing 19 sessions from VS Live! Orlando to the Visual Studio YouTube channel. What surprised me wasn’t just the pace at which those sessions went live, it was what happened next. During the holidays alone, those sessions were viewed nearly 30,000 times. That tells me two things. First, learning doesn’t stop just because the calendar does. Seco... Dec 22, 2025 Post comments count 10 Post likes count 15 How AI fixed my procrastination Mads Kristensen I struggled to get started. For ages, I kept putting off building this website, creating a new programming language for Visual Studio, and coming up with fresh color themes. Each project looked overwhelming, and I couldn’t find the time or motivation to jump in. It all just felt like too much at once. But when a national holiday gave me a long weekend, I grabbed the chance to try out Copilot in Visual Studio and see how far I could get. To my surprise, I knocked out all three projects way faster and more easily than I expected. I’m sharing what I learned because I hope it inspires you to finally tackle those p... Dec 16, 2025 Post comments count 6 Post likes count 5 Debugging, but Without the Drama (A Visual Studio 2026 Story) Harshada Hole It starts the way these things always start. A red build. A failing test. And that quiet, sinking feeling of “This worked yesterday.” Meet Sam. Sam’s not a junior, not a rockstar, just a solid developer who’s shipped enough code to know that bugs don’t care how confident you feel on Monday morning. That test failure does not offer much help at all. There are no clear steps to reproduce the issue. The exception message seems familiar in a vague way. But it does not prove useful right then. Out of habit Sam hits F5. He notices something small yet pretty important about it. The debugger launches fa... Dec 15, 2025 Post comments count 31 Post likes count 12 Behind the scenes of the Visual Studio feedback system Mads Kristensen Here on the Visual Studio team, our top priority is making your coding experience smoother and more enjoyable. And that begins with truly listening to your feedback. We understand that sometimes sharing your thoughts can feel like tossing bug reports and suggestions into a black hole. It doesn’t feel good, and we get it. But here’s the good news: over the past year, we’ve resolved more bugs reported by users and delivered more requested features than at any other time in Visual Studio’s history. We believe in being open about what happens to your feedback, so in this post, we’ll pull back the curtain and show ... Dec 10, 2025 Post comments count 37 Post likes count 4 Streamlining your Git workflow with Visual Studio 2026 Mads Kristensen You’re a .NET developer with a busy morning, and an Azure DevOps ticket drops: “Login endpoint 500s under load.” You’ve got to fix it, review a teammate’s feature branch, and keep your repo clean - all before lunch. Visual Studio’s Git tools turn this everyday Git workflow of creating topic branches, stashing changes, committing, and handling PRs into a smooth, fast process. Let’s walk through your morning, showing how Visual Studio keeps Git friction out of your way. 9:00 AM: Spin up a topic branch for your bug fix Your repo’s open in VS (View → Git Repository), and you’re on main, fresh from last night’s C... Dec 4, 2025 Post comments count 3 Post likes count 3 Unlocking the Power of Web with Copilot Chat’s New URL Context Jessie Houghton There are many scenarios where Copilot Chat can feel limited by the built-in model training data. Maybe you want guidance on the latest web framework, documentation, or project-specific resources—but Copilot’s responses just aren’t specific enough. For developers who rely on up-to-date or esoteric answers, this gap can be a real frustration. URL Context: Bringing the web into Copilot Chat With the new URL context feature, Copilot Chat can now access and use information directly from web pages you specify. By pasting a URL into your Copilot Chat prompt, you empower Copilot to pull real-time, relevant infor... Dec 3, 2025 Post comments count 12 Post likes count 5 Visual Studio November Update – Visual Studio 2026, Cloud Agent Preview, and more Simona Liao Visual Studio 2026 is here! If you haven’t heard the news yet, we’re excited to share with you that Visual Studio 2026 is now generally available! This new version can better assist you with several performance improvements, a redesigned user experience, and a major leap in AI-driven development. Read more about it here and get started with VS 2026 today! Below updates are all available in Visual Studio 2026 only. GitHub Cloud Agent Preview is now available in Visual Studio The Cloud Agent is now in preview and ready to help you offload repetitive or time-consuming work. Enable it via the Copilot badge d... Dec 3, 2025 Post comments count 22 Post likes count 4 Why changing keyboard shortcuts in Visual Studio isn’t as simple as it seems Mads Kristensen A straight look at what’s behind the keys We’ve all tried unlearning a keyboard shortcut - it feels like forgetting how to breathe. Muscle memory doesn’t mess around. We wrestle with this every time someone suggest a “quick” shortcut change. It’s not just editing a keybinding but navigating a history that makes Visual Studio so customizable for developers like us. Picture yourself deep in code, chugging coffee, ready to close a tab. You hit Ctrl+W because Chrome, VS Code, and every other tool uses it. But in Visual Studio? You likely need Ctrl+F4, a combo straight out of the Windows 98 era. Or maybe you try c... Dec 2, 2025 Post comments count 0 Post likes count 3 Profiler Agent – Delegate the analysis, not the performance Nik Karpinsky In Visual Studio 2026 we introduced Copilot Profiler Agent, a new AI-powered assistant that helps you analyze and optimize performance bottlenecks in your code. By combining the power of GitHub Copilot with Visual Studio's performance profiler, you can now ask natural language questions about performance, get insights into hot paths, and quickly identify optimization opportunities. Let's walk through a real-world example of how this tool can help you make meaningful performance improvements. Benchmarking a real project To demonstrate the capabilities of the Copilot Profiler Agent, let's optimize CsvHelper, a p... Load more posts Dream big. Achieve more. Visual Studio 2026. Unleash your potential with the world’s most popular IDE for the professional developer. Download Visual Studio Popular topics GitHub Copilot Announcement cloud Web gaming Extensions Productivity Artificial Intelligence C++ C# Relevant Links Visual Studio homepage Visual Studio documentation Visual Studio Dev Essentials Microsoft Azure Visual Studio on YouTube Visual Studio Tips & Tricks Visual Studio Toolbox Visual Studio Office Hours Writing extensions with Mads Archive January 2026 December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 March 2015 February 2015 January 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 September 2013 August 2013 July 2013 June 2013 May 2013 April 2013 March 2013 January 2013 November 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 November 2011 October 2011 September 2011 August 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 August 2010 July 2010 June 2010 May 2010 April 2010 March 2010 February 2010 January 2010 December 2009 November 2009 October 2009 September 2009 March 2009 Follow this blog 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 Visual Studio Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://twitter.com/aaronfrost | 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:10 |
https://www.telerik.com/aspnet-core-ui | ASP.NET Core Components | Telerik UI for ASP.NET Core J oin the Progress AI Observability Platform Early Access Program - o bserve, evaluate and improve your AI agents ! skip navigation Telerik UI for ASP.NET Core Product Bundles DevCraft All Telerik .NET tools and Kendo UI JavaScript components in one package. Now enhanced with: MCP Servers Embedded Reporting Document Processing Libraries SSO Account Sign-in Web Kendo UI UI for Angular UI for Vue UI for jQuery KendoReact UI for Blazor UI for ASP.NET Core UI for ASP.NET MVC UI for ASP.NET AJAX Mobile UI for .NET MAUI Document Management Telerik Document Processing Desktop UI for .NET MAUI UI for WinUI UI for WinForms UI for WPF Reporting Telerik Reporting Telerik Report Server Testing & Mocking Test Studio Telerik JustMock CMS Sitefinity AI Productivity Tools MCP Servers UI/UX Tools ThemeBuilder Design System Kit Templates and Building Blocks Debugging Fiddler Fiddler Everywhere Fiddler Classic Fiddler Everywhere Reporter FiddlerCore Free Tools KendoReact Free VB.NET to C# Converter Testing Framework View all products Overview Demos Roadmap What's New Roadmap Release History Docs & Support Support and Learning Support and Learning Hub ASP.NET Core Tutorials and Learning Docs Demos Virtual Classroom Forums Videos Blogs Accessibility Submit a Ticket FAQs Productivity and Design Tools REPL for ASP.NET Core ThemeBuilder Design System Documentation Visual Studio Code Extensions Visual Studio Extensions Figma Kits Embedded Reporting Pricing Shopping cart Your Account Account Overview Your Licenses Downloads Support Center Forum Profile Payment Methods Edit Profile Log out Login Contact Us Try now close mobile menu Overview Demo Components AI Assistant Design Accessibility Features Pricing Testimonials Sample Apps More Tools Get Started Visual Studio 2026, .NET 9 & .NET 10 support Cross-Platform ASP.NET Core Controls Rapidly build modern, cross-platform web applications with the most complete ASP.NET Core UI library, featuring 120+ customizable components, an AI Coding Assistant, and more. Get Started 30-day FREE trial. Free technical support and training during your trial. No credit card requred. Buy Now ASP.NET Core UI components are also included in DevCraft bundles. Learn more. 120+ Comprehensive ASP.NET Core UI Components An ASP.NET Core developer has too many tooling decisions for every project. Choose Telerik UI for ASP.NET Core and never have to evaluate another UI library or component again. Featured Components Grid Charts Scheduler Editor DropDowns DateInputs Spreadsheet PDF Viewer Form AI Prompt See all See ASP.NET Core Data Grid demo 100+ features from basic to advanced Virtualization and infinite scrolling Highly Customizable See ASP.NET Core Charts demo Wide-ranging DataViz: from Bar Chart to Sankey Built-in support for interactivity, tooltips, and more Drilldown functionality See ASP.NET Core Scheduler demo Powerful and feature-rich Multiple resources and resource grouping Internationalization and time-zone conversion See ASP.NET Core Editor demo 30+ available tools Side panel and inline AI helper Versatile import and export options Seven versatile ASP.NET Core drop downs Virtualization for improved performance Built-in accessibility Globalization and right-to-left (RTL) support 5 versatile ASP.NET Core date inputs Customizable and feature-rich Support form validation Globalization and right-to-left (RTL) support See ASP.NET Core Spreadsheet demo Server import and export Built-in data validation Accessibility and globalization See ASP.NET Core PDF Viewer demo Responsive and adaptive capabilities Annotations and form filling support Accessibility and keyboard navigation See ASP.NET Core Form demo Small package, fast performance Built-in form validation Follows UI/UX best practices See ASP.NET Core AI Prompt demo Customizable appearance Integration with Microsoft.Extensions.AI Preview Package Custom prompt commands Explore All 120+ ASP.NET Core UI Components 110+ high-quality ASP.NET Core web components, four professionally designed themes , ThemeBuilder , and Visual Studio Code Productivity Tools. Data Management Grid Updated Filter ListView Pager PivotGrid PivotGrid v.2 PropertyGrid Rating Spreadsheet TaskBoard TreeList Scheduling Calendar GanttChart MultiViewCalendar Scheduler Editors AutoComplete Captcha CheckBoxGroup Color Picker ColorGradient ColorPalette ComboBox Updated Date & Time Pickers DateInput DateRangePicker DropDownList Updated DropDownTree Editor FlatColorPicker Image Editor ListBox MaskedTextBox MultiColumnComboBox MultiSelect Updated Numeric TextBox OTP Input RadioGroup Signature Switch TextArea TextBox TimeDurationPicker TimePicker Navigation ActionSheet AppBar BottomNavigation Breadcrumb Button Button Group Chip ChipList Drawer DropDownButton ExpansionPanel FloatingActionButton Menu PanelBar Speech-To-Text Button New SplitButton Stepper TabStrip Updated ToggleButton ToolBar TreeView Data Visualization ArcGauge Barcode Chart Wizard Charts Circular Gauge Diagram Updated Gauges HeatMap LinearGauge OrgChart Pyramid Chart QR Code RadialGauge Sankey Chart Stock Chart Timeline TreeMap Trendline Chart Layout Avatar Badge Dialog DockManager Form Updated GridLayout Notification Popover Responsive Panel Splitter StackLayout TileLayout Tooltip Window Wizard File Upload & Management File Manager PDF Viewer Upload Interactivity & UX AI Prompt Updated Chat (Conversational UI) Updated Circular Progress Bar Inline AI Prompt New Loader Progress Bar Ripple Skeleton Container Slider Sortable Template Productivity Tools Visual Studio Code Media MediaPlayer ScrollView Geo Visualization Map Document Processing PdfProcessing Updated SpreadProcessing SpreadStreamProcessing WordsProcessing Updated ZipLibrary MVC & Razor Pages Razor Pages Support Show Full List Unprecedented Productivity with AI Coding The Telerik AI Coding Assistant is specifically trained on the Telerik UI for ASP.NET Core component library to ensure developers get production-quality code on the first try when using their favorite AI-powered IDE. This minimizes the time needed to modify the output to fix bugs, address UI issues, add accessibility features, and other time-consuming tasks. Get Started with AI Prerequisites: A Telerik UI for ASP.NET Core Trial Account or License The latest version of Telerik UI for ASP.NET Core Video Telerik AI Coding Assistant - Overview Get Much More Than an ASP.NET Core Component Library Have you worked with a design-friendly UI library before? Whether you have a designer on your project or not, Telerik UI for ASP.NET Core brings the tools you need to simplify the process and improve the quality of your app's UI and UX. Developers Working Without a Designer Developers Collaborating with Design 1 Choose a Theme Use one of four professional themes : Use out-of-the-box Customize to meet brand guidelines. 2 Style Your App Use ThemeBuilder to style your app without dealing with complex CSS rules. 3 Count On the Docs Get all your styling questions answered with the detailed design and front-end documentation . 1 Use Identical Components Give the Figma UI kits to your designers and start speaking the same language. 2 Convert Figma Variables Import the Figma design into ThemeBuilder to generate the CSS. 3 Enjoy Automatic Updates Map the Figma variables to your UI components in ThemeBuilder and automatically sync design updates. 4 Count On the Docs Get all your styling questions answered with the detailed design and front-end documentation . Learn More About Design and UI Customization An ASP.NET Core Component Library Built for Accessibility Telerik UI for ASP.NET Core components offer unmatched built-in accessibility and comply with WCAG 2.2, WAI-ARIA and Section 508. More About ASP.NET Core Accessibility Exceptional Developer Experience Telerik UI for ASP.NET Core makes your job easier without getting in the way. Legendary support from the engineers who build the library Easy integration thanks to a consistent API Internationalization & localization Detailed technical and design documentation Leading edge performance for data-heavy apps Regular releases, day 0 support of new .NET versions Fast and light ASP.NET Core UI controls Responsive UI components Get Started Flexible Packaging Tailored to Your Needs Choose a pricing plan: Save up to 25% upfront, get exclusive AI productivity tools and more and on yearly plan. Subscription Perpetual One-time purchase includes renewable one year support and maintenance License Type Information Subscription: Save up to 25% upfront, get exclusive AI productivity tools and more and on yearly plan. Perpetual: One-time purchase includes renewable one year support and maintenance See All Telerik UI for ASP.NET Core $ 749 849 1,249 per developer, per year The Subscription Plan Includes: AI Coding Assistant New Choose support Priority Support Lite Support 72h response time and up to 10 support incidents $749 Recommended Priority Support 24h response time and unlimited number of support incidents $849 Ultimate Support Everything in Priority Support + phone support and remote web assistance $1,249 Buy Now Buy Now Buy Now 120+ components for any app scenario AI Coding Assistant Telerik and Kendo UI Kits for Figma Document processing libraries DevCraft UI $ 1,149 per developer, per year The Subscription Plan Includes: Page Templates and Building Blocks are available for Kendo UI for Angular, KendoReact and Telerik UI for Blazor. Page Templates Building Blocks ThemeBuilder Tool AI Coding Assistants New Lite support 72h response time 10 support incidents Learn More Buy Now .NET and JavaScript UI components for web, desktop and mobile Document processing libraries Telerik and Kendo UI Kits for Figma Page Templates, Buidling Blocks & ThemeBuilder Ultimate DevCraft Complete $ 1,299 per developer, per year The Subscription Plan Includes: Page Templates and Building Blocks are available for Kendo UI for Angular, KendoReact and Telerik UI for Blazor. Page Templates Building Blocks ThemeBuilder Tool AI Coding Assistants New Agentic UI Generator New Priority support 24h response time Unlimited number of support incidents Learn More Buy Now .NET and JavaScript UI components for web, desktop and mobile Document processing libraries Embedded reporting for web and desktop Mocking solution for rapid unit testing Page Templates, Buidling Blocks & ThemeBuilder Ultimate Single sign-on (SSO) DevCraft Ultimate $ 1,649 per developer, per year The Subscription Plan Includes: Page Templates and Building Blocks are available for Kendo UI for Angular, KendoReact and Telerik UI for Blazor. Page Templates Building Blocks ThemeBuilder Tool AI Coding Assistants New Agentic UI Generator New Ultimate support Everything in Priority Support Phone support Remote web assistance Ticket pre-screening Issue escalation Learn More Buy Now .NET and JavaScript UI components for web, desktop and mobile Document processing libraries End-to-end report management solution Embedded reporting for web and desktop Mocking solution for rapid unit testing ThemeBuilder Enterprise See All Telerik UI for ASP.NET Core $ 999 1,099 1,499 1548 1,648 2,048 per developer, renewable at 50% of the list price per developer Subscription Only: AI Coding Assistant New Choose support Priority Support Lite Support 72h response time and up to 10 support incidents $999 $1548 Recommended Priority Support 24h response time and unlimited number of support incidents $1,099 $1,648 Ultimate Support Everything in Priority Support + phone support and remote web assistance $1,499 $2,048 Buy Now Buy Now Buy Now Buy Now Buy Now Buy Now 120+ components for any app scenario Telerik and Kendo UI Kits for Figma Document processing libraries DevCraft UI $ 1,499 per developer, renewable at 50% of the list price Subscription Only: Page Templates Building Blocks ThemeBuilder Tool AI Coding Assistants New Lite support 72h response time 10 support incidents Learn More Buy Now .NET and JavaScript UI components for web, desktop and mobile Document processing libraries Telerik and Kendo UI Kits for Figma Page Templates, Buidling Blocks & ThemeBuilder Ultimate DevCraft Complete $ 1,699 per developer, renewable at 50% of the list price Subscription Only: Page Templates Building Blocks ThemeBuilder Tool AI Coding Assistants New Agentic UI Generator New Priority support 24h response time Unlimited number of support incidents Learn More Buy Now .NET and JavaScript UI components for web, desktop and mobile Embedded reporting for web and desktop Mocking solution for rapid unit testing Document processing libraries Page Templates, Buidling Blocks & ThemeBuilder Ultimate Single sign-on (SSO) DevCraft Ultimate $ 2,199 per developer, renewable at 50% of the list price Subscription Only: Page Templates Building Blocks ThemeBuilder Tool AI Coding Assistants New Agentic UI Generator New Ultimate support Everything in Priority Support Phone support Remote web assistance Ticket pre-screening Issue escalation Learn More Buy Now .NET and JavaScript UI components for web, desktop and mobile End-to-end report management solution Embedded reporting for web and desktop Mocking solution for rapid unit testing ThemeBuilder Enterprise See Detailed Comparison The companies that trust Telerik and Kendo UI products include: Telerik's components for ASP.NET is by far the best suites in the market place. I' have used Infragistics components for the last few years, and was never really confident about all the HTML spaghetti code. Telerik's component suite is a breath of fresh air. This has been very helpful. All our team is very impressed with your tools. Keep up the great work. Sachin Patel Sr. Software Programmer, Dexoc Software Development Your support is awesome, I have only good experience with it. Wolfgang Baeck Owner, Metaphor Technologies This is a very useful product. I use it for my front end websites. Easy to use. Lots of examples on the site and repo. Great product support also. Oleksandr Viktor Senior ASP.NET Core / C# / SQL Server / Telerik Blazor UI Developer, Business Net Solutions Ltd It is a great looking UI for ASP.NET Core, especially the Grid. Long Doan Software Engineer, Salt Lake City Corporation This is a really great product. Telerik UI for ASP.NET Core helps minimize code of various functions and develop the application quickly. Even the demo and the sample code are so easy to use, anyone who is having knowledge of .NET is able to learn quickly and incorporate it in any application. Suryakant Nanaware Director, S & S Infotech Services Pvt Ltd See Telerik UI for ASP.NET Core in Action Check out these runnable sample apps built with Telerik UI for ASP.NET Core and get the source code. Finance Portfolio App Get a dynamic financial dashboard that showcases real-time portfolio analytics, market data visualization, and interactive trading insights. E-shop Application Reuse a full-featured online store with product catalogs, a shopping cart, order management, and PDF reporting capabilities. Admin Dashboard App Create a feature-rich admin interface with advanced data visualization, scheduling tools, and interactive components for building powerful business applications. Awards Greatness—it’s one thing to say you have it, but it means more when others recognize it. Telerik is proud to hold the following industry awards. G2 Leader Enterprise Grid Summer 2025 G2 Leader Highest User Adoption Summer 2025 G2 EMEA Regional Leader Summer 2025 G2 Users Love Us More Tools to Simplify Your ASP.NET Core Development Telerik REPL for ASP.NET Core Writing, testing and sharing ASP.NET Core snippets made easy VS Code Integration Create new projects and leverage advanced tools Embedded Reporting Complete embedded reporting for web and desktop apps Telerik REPL for ASP.NET Core Create, run, save and share code snippets and examples from the comfort of your browser, leveraging Telerik REPL for ASP.NET Core. This no-cost playground speeds up project creation by letting you work with pre-built components, editing demos on the spot and saving and sharing your work. Visit the following pages for more information: Learn more about Telerik REPL for ASP.NET Core Explore the playground Start fast with pre-build ASP.NET Core code snippets Check out Telerik REPL for ASP.NET Core documentation Visual Studio Code Integration Maximize your efficiency with the Telerik Extension for Visual Studio Code. It allows you to generate pre-configured projects for Telerik UI for ASP.NET Core components. Additionally, the extension supports code snippets for fast UI component reference and configuration. Visit the following pages for more information: Creating a new project in Visual Studio Code Telerik UI for ASP.NET Core Code Snippets Telerik UI for ASP.NET Core Code Scaffolders Embedded Reporting Transforming raw data into actionable insights is the core function of reporting. Simplify development workflow with an intuitive embedded reporting tool that helps developers enable business users to easily create, edit and view reports on their own. Embed Reporting into Blazor, Angular, ASP.NET Core, WinForms, WPF and more apps. You can buy ASP.NET Core and Reporting in DevCraft Complete and Ultimate bundles. Learn more about Telerik Reporting Explore Embedded Reporting for business users Check out Report Designers Check out Report Viewers Ready to Level Up ASP.NET Core UI? Get Started 30-day FREE trial including technical support and training. No credit card required. Buy Now ASP.NET Core UI components are also included in DevCraft bundles. Learn more. Complete .NET Toolbox Telerik DevCraft Complete JavaScript Toolbox Kendo UI Get Products Free Trials Pricing Resources DX Hub Demos Documentation Release History Forums Blogs Webinars Videos Professional Services Partners Virtual Classroom Events FAQs Recognition Success Stories Testimonials Get in touch Contact Us USA: +1 888 679 0442 UK: +44 13 4483 8186 India: +91 406 9019447 Bulgaria: +359 2 8099850 Australia: +61 3 7068 8610 165k+ 50k+ 17k+ 4k+ 14k+ Contact Us 165k+ 50k+ 17k+ 4k+ 14k+ Telerik and Kendo UI are part of Progress product portfolio. Progress is the leading provider of application development and digital experience technologies. Company Technology Awards Press Releases Media Coverage Careers Offices Company Technology Awards Press Releases Media Coverage Careers Offices Copyright © 2026 Progress Software Corporation and/or its subsidiaries or affiliates. All Rights Reserved. Progress and certain product names used herein are trademarks or registered trademarks of Progress Software Corporation and/or one of its subsidiaries or affiliates in the U.S. and/or other countries. See Trademarks for appropriate markings. All rights in any other trademarks contained herein are reserved by their respective owners and their inclusion does not imply an endorsement, affiliation, or sponsorship as between Progress and the respective owners. Terms of Use Site Feedback Privacy Center Trust Center Do Not Sell or Share My Personal Information Powered by Progress Sitefinity | 2026-01-13T08:48:10 |
https://docs.suprsend.com/docs/translations | Translations - 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 CORE CONCEPTS Translations Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog CORE CONCEPTS Translations OpenAI Open in ChatGPT Learn how to use translations to localize your notifications in SuprSend. OpenAI Open in ChatGPT Translations help you localize notifications dynamically based on your user’s locale. Instead of maintaining multiple templates per language, you can manage a single template and multiple translation files. One template + multiple translation files = localized notifications for all your users. How translations work SuprSend automatically handles localization while sending notifications — no extra code required. Steps to Enable Translations Upload translation files from the dashboard , via CLI , or API . Each file is a JSON containing key-value pairs consistent across locales. Set user locale in SDK using set_locale() or via the $locale property in create/update user API . Use translation keys inside templates: Handlebars: {{t "key_name"}} JSONNET: t("key_name") At the time of workflow execution, SuprSend looks for key_name in the user’s locale file and if not found, applies below fallback logic. Fallback Logic If either the locale file or key inside the locale file is missing, SuprSend searches in this order: Exact locale match — e.g., es-MX.json General language file — e.g., es.json Default language fallback — e.g., en.json Best practice: Always maintain an en.json file as the base language. It ensures your system always has a fallback even if locale-specific keys are missing. Basic usage Translations are JSON objects that define the localized text for your app messages in different locales. Let’s say you have a task management app and you want to notify users when a new task is created or completed — localized for English and French users. Copy Ask AI { "TaskCreated" : "A new task has been created: {{task_name}}" , "TaskCompleted" : "Task {{task_name}} has been completed successfully!" } Copy Ask AI { "task_created" : "Une nouvelle tâche a été créée : {{task_name}}" , "task_completed" : "La tâche {{task_name}} a été complétée avec succès !" } Once you have the files uploaded for en and fr locales, you can reference it in your templates using the t tag: handlebars jsonnet Copy Ask AI {{ t "task_created" task_name = task.name }} {{ t "task_completed" task_name = task.name }} Managing translation files You can manage translation files from developers -> translations on the SuprSend dashboard, via API and CLI . Flow All translation changes, including delete, is version controlled and needs to be committed to make them live. Directory structure There are two ways to organize translation files: By locale code — one file per language, e.g. en.json, fr.json By namespace + locale code — group translations by feature or module within the same language, e.g. auth.en.json , tasks.fr.json . This comes in handy when you have different teams managing their translations or can have same key across different features or modules. All files for a locale goes into a single directory. Copy Ask AI translations/ ├── en/ # English (base language) │ ├── en.json # General translations │ └── auth.en.json # namespaced translations └── en-GB/ ├── en-GB.json └── orders.en-GB.json Add locale files 1 Upload file Go to Developers → Translations section. Click on +New File button and upload locale files. Locale file naming convention: {locale_code}.json : example: en.json , es-MX.json {namespace}.{locale_code}.json : example: auth.en.json , orders.es-MX.json File uploads with wrong name would throw error on upload. Make sure to edit the name before upload. 2 Save Changes Click Next to save. Files are saved as a draft version until committed. 3 Commit changes Click Commit Changes to make translations live. Add a short description of your update for later reference. You can also skip this step and commit later. Update existing files Download, edit locally, and re-upload updated translation files. 1 Download file Click Download to save the translation file locally for editing. 2 Edit, upload and commit Make your edits to the downloaded JSON file, then click + New File and upload the edited file to replace the existing file. Finally, click Commit to make your translation changes live. Delete files Remove locale files that are no longer needed. 1 Delete file Find the translation file you want to remove, and click Delete . This will mark the file for deletion in the draft version. 2 Commit deletion Click Commit to make deletion live. The deletion will only take place after you commit. Version history and rollback SuprSend uses git-like versioning for locale file changes. Every commit creates a new version that you can view, download, or roll back to. View version history Click Version History to see all previous versions. You can download and view older files, and check the status column to see what changed compared to the previous version. Rollback to an older version Inside version history tab, select the version you want to restore and click Rollback version . Using translations in templates You can use translations in your templates using the t tag. Anything inside the t tag will be replaced with the translation for the key. Simple, Nested and Namespaced keys handlebars (sms, email, push, inbox) jsonnet (slack, ms_teams) Copy Ask AI {{ t "key_name" }} {{ t "feature:key_name" }} // for namespaced locale files {{ t "nested_key.sub_key" }} // for nested keys Pluralization Translations support plural forms using the keys zero , one , and other . When you pass a count variable, SuprSend automatically picks the correct form. If count is missing or null, the zero form is used by default. translation file: en.json Copy Ask AI { "tasks" : { "zero" : "You have no tasks" , "one" : "You have 1 task" , "other" : "You have {{count}} tasks" } } Rules: count = 0 → uses zero form → "No items" count = 1 → uses one form → "1 item" count ≥ 2 → uses other form → "5 items" template: handlebars (sms, email, push, inbox) jsonnet (slack, ms_teams) Copy Ask AI {{ t "tasks" count = $ batched_events_count }} Interpolation If your translation includes variables, you can dynamically replace them with values from your template or workflow data like this: translation file: en.json Copy Ask AI { "greeting" : "Hello, {{name}}!" } template: handlebars (sms, email, push, inbox) jsonnet (slack, ms_teams) Copy Ask AI {{ t "greeting" name = $ recipient.name }} Rendered content: “Hello, John!” when $recipient.name is “John” Combining with Handlebars helpers Here, are some examples of how you can combine translations with other Handlebars helpers. Default value Copy Ask AI {{ default ( t "name" ) "Guest" }} Conditional rendering Copy Ask AI {{ #if user.is_premium }} {{ t "premium_plan.details" }} {{ else }} {{ t "standard_plan.detail" }} {{ /if }} Looping Copy Ask AI {{ #each $ batched_events }} {{ t "item_name" }} {{ /each }} Automate translation with CLI and APIs You can manage your translations files programmatically using: CLI Management API Supported locales SuprSend supports standard ISO locale codes following the language-COUNTRY format. Here’s the complete list of supported locales: Supported locale codes Locale Code Language Country/Region af-ZA Afrikaans South Africa ar-AE Arabic United Arab Emirates ar-SA Arabic Saudi Arabia ar-EG Arabic Egypt az-AZ Azerbaijani Azerbaijan be-BY Belarusian Belarus bg-BG Bulgarian Bulgaria bn-BD Bengali Bangladesh bs-BA Bosnian Bosnia and Herzegovina ca_ES Catalan Spain cs-CZ Czech Czech Republic cy-GB Welsh United Kingdom da-DK Danish Denmark de-AT German Austria de-CH German Switzerland de-DE German Germany el_GR Greek Greece es_AR Spanish Argentina es-CL Spanish Chile es-CO Spanish Colombia es-ES Spanish Spain es-MX Spanish Mexico es-PE Spanish Peru es-VE Spanish Venezuela et-EE Estonian Estonia eu-ES Basque Spain fa-IR Persian Iran fi-FI Finnish Finland fr-BE French Belgium fr-CA French Canada fr-CH French Switzerland fr-FR French France gl-ES Galician Spain gu-IN Gujarati India he-IL Hebrew Israel hi-IN Hindi India hr-HR Croatian Croatia hu-HU Hungarian Hungary hy-AM Armenian Armenia id-ID Indonesian Indonesia is-IS Icelandic Iceland it-CH Italian Switzerland it-IT Italian Italy ja-JP Japanese Japan ka-GE Georgian Georgia kk-KZ Kazakh Kazakhstan km-KH Khmer Cambodia kn-IN Kannada India ko-KR Korean South Korea ky-KG Kyrgyz Kyrgyzstan lo-LA Lao Laos lt-LT Lithuanian Lithuania lv-LV Latvian Latvia mk-MK Macedonian North Macedonia ml-IN Malayalam India mn-MN Mongolian Mongolia mr-IN Marathi India ms-MY Malay Malaysia my-MM Burmese Myanmar ne-NP Nepali Nepal nl-BE Dutch Belgium nl-NL Dutch Netherlands no-NO Norwegian Norway pa-IN Punjabi India pl-PL Polish Poland pt-BR Portuguese Brazil pt-PT Portuguese Portugal ro-MD Romanian Moldova ro-RO Romanian Romania ru-RU Russian Russia si-LK Sinhala Sri Lanka sk-SK Slovak Slovakia sl-SI Slovenian Slovenia sq-AL Albanian Albania sr-RS Serbian Serbia sv-SE Swedish Sweden sw-KE Swahili Kenya ta-IN Tamil India te-IN Telugu India th-TH Thai Thailand tr-TR Turkish Turkey uk-UA Ukrainian Ukraine ur-PK Urdu Pakistan uz-UZ Uzbek Uzbekistan vi-VN Vietnamese Vietnam zh-CN Chinese (Simplified) China zh-HK Chinese (Traditional) Hong Kong zh-TW Chinese (Traditional) Taiwan zu-ZA Zulu South Africa Don’t see your locale? SuprSend supports all standard ISO 639-1 language codes and ISO 3166-1 alpha-2 country codes. Contact support if you need help with a specific locale. Best practices Keep keys short: auth:login > authentication_login_button_text Always define plural forms wherever needed: zero , one , other for consistent behavior Maintain en.json as the base language Use translation keys everywhere — avoid raw text in templates Whenever you’re adding new variables and updating translation files, make sure you update it across locales. Troubleshooting Even with proper setup, issues may be encountered. Here are common problems and their solutions: Translation not showing up Possible causes: Latest translation files are not committed User locale not set Key missing in translation files Template preview is not showing correct translation Refresh the page and load preview again. If you were already on the template page and translation files got updated, you may need to reload the page to see the latest changes. Interpolation is not working Check if the format of variable name is correct in the locale file. It should be added as {{variable_name}} in the translation file. Was this page helpful? Yes No Suggest edits Raise issue Previous DLT Guidelines Distributed Ledger Technology (DLT) guidelines for approving and sending SMS in India. Next ⌘ I x github linkedin youtube Powered by On this page How translations work Steps to Enable Translations Fallback Logic Basic usage Managing translation files Flow Directory structure Add locale files Update existing files Delete files Version history and rollback Using translations in templates Simple, Nested and Namespaced keys Pluralization Interpolation Combining with Handlebars helpers Automate translation with CLI and APIs Supported locales Best practices Troubleshooting | 2026-01-13T08:48:10 |
https://github.com/square/square-go-sdk?tab=readme-ov-file#usage | GitHub - square/square-go-sdk: Go client library for the Square API Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} square / square-go-sdk Public Notifications You must be signed in to change notification settings Fork 2 Star 19 Go client library for the Square API developer.squareup.com/docs/sdks License View license 19 stars 2 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 0 Pull requests 0 Actions Projects 0 Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Projects Security Insights square/square-go-sdk master Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 48 Commits .fern .fern .github/ workflows .github/ workflows applepay applepay bankaccounts bankaccounts bookings bookings cards cards cashdrawers cashdrawers catalog catalog channels channels checkout checkout client client core core customers customers devices devices disputes disputes employees employees events events giftcards giftcards integration_tests integration_tests internal internal inventory inventory invoices invoices labor labor locations locations loyalty loyalty merchants merchants mobile mobile oauth oauth option option orders orders payments payments payouts payouts refunds refunds sites sites snippets snippets subscriptions subscriptions team team teammembers teammembers terminal terminal transferorders transferorders v1transactions v1transactions vendors vendors webhooks webhooks .fernignore .fernignore LICENSE LICENSE README.md README.md alias.go alias.go apple_pay.go apple_pay.go bank_accounts.go bank_accounts.go bookings.go bookings.go cards.go cards.go catalog.go catalog.go channels.go channels.go checkout.go checkout.go customers.go customers.go devices.go devices.go disputes.go disputes.go employees.go employees.go environments.go environments.go error_codes.go error_codes.go events.go events.go file_param.go file_param.go gift_cards.go gift_cards.go go.mod go.mod go.sum go.sum inventory.go inventory.go invoices.go invoices.go labor.go labor.go locations.go locations.go loyalty.go loyalty.go merchants.go merchants.go mobile.go mobile.go o_auth.go o_auth.go orders.go orders.go payments.go payments.go payouts.go payouts.go pointer.go pointer.go reference.md reference.md refunds.go refunds.go sites.go sites.go snippets.go snippets.go subscriptions.go subscriptions.go team.go team.go team_members.go team_members.go terminal.go terminal.go transfer_orders.go transfer_orders.go types.go types.go v1transactions.go v1transactions.go vendors.go vendors.go verify_signature.go verify_signature.go View all files Repository files navigation README License Square Go Library The Square Go library provides convenient access to the Square API from Go. Requirements This module requires Go version >= 1.18. Installation Run the following command to use the Square Go library in your module: go get github.com/square/square-go-sdk Usage package main import ( "context" "fmt" "github.com/square/square-go-sdk" squareclient "github.com/square/square-go-sdk/client" "github.com/square/square-go-sdk/option" ) func main () { client := squareclient . NewClient ( option . WithToken ( "<YOUR_ACCESS_TOKEN>" ), ) response , err := client . Payments . Create ( context . TODO (), & square. CreatePaymentRequest { IdempotencyKey : "4935a656-a929-4792-b97c-8848be85c27c" , SourceID : "CASH" , AmountMoney : & square. Money { Amount : square . Int64 ( 100 ), Currency : square . CurrencyUsd . Ptr (), }, TipMoney : & square. Money { Amount : square . Int64 ( 50 ), Currency : square . CurrencyUsd . Ptr (), }, CashDetails : & square. CashPaymentDetails { BuyerSuppliedMoney : & square. Money { Amount : square . Int64 ( 200 ), Currency : square . CurrencyUsd . Ptr (), }, }, }, ) if err != nil { fmt . Println ( err ) return } fmt . Println ( response . Payment ) } Optional Parameters This library models optional primitives and enum types as pointers. This is primarily meant to distinguish default zero values from explicit values (e.g. false for bool and "" for string ). A collection of helper functions are provided to easily map a primitive or enum to its pointer-equivalent (e.g. square.String ). For example, consider the client.Payments.List endpoint usage below: response , err := client . Payments . List ( context . TODO (), & square. ListPaymentsRequest { Total : square . Int64 ( 100 ), }, ) Environments By default, Square's production environment is used. However, you can choose between Square's different environments (i.e. sandbox and production), by using the square.Environments type like so: client := squareclient . NewClient ( option . WithBaseURL ( square . Environments . Sandbox ), ) You can also configure any arbitrary base URL, which is particularly useful in test environments, like so: client := squareclient . NewClient ( option . WithBaseURL ( "https://example.com" ), ) Automatic Pagination List endpoints are paginated. The SDK provides an iterator so that you can simply loop over the items: ctx := context . TODO () page , err := client . Payments . List ( ctx , & square. ListPaymentsRequest { Total : square . Int64 ( 100 ), }, ) if err != nil { return nil , err } iter := page . Iterator () for iter . Next ( ctx ) { payment := iter . Current () fmt . Printf ( "Got payment: %v \n " , * payment . ID ) } if err := iter . Err (); err != nil { // Handle the error! } You can also iterate page-by-page: for page != nil { for _ , payment := range page . Results { fmt . Printf ( "Got payment: %v \n " , * payment . ID ) } page , err = page . GetNextPage ( ctx ) if errors . Is ( err , core . ErrNoPages ) { break } if err != nil { // Handle the error! } } Timeouts Setting a timeout for each individual request is as simple as using the standard context library. Setting a one second timeout for an individual API call looks like the following: ctx , cancel := context . WithTimeout ( context . TODO (), time . Second ) defer cancel () response , err := client . Payments . List ( ctx , & square. ListPaymentsRequest { Total : square . Int64 ( 100 ), }, ) Errors Structured error types are returned from API calls that return non-success status codes. For example, you can check if the error was due to an unauthorized request (i.e. status code 401) with the following: response , err := client . Payments . Create ( ... ) if err != nil { if apiError , ok := err .( * core. APIError ); ok { switch ( apiError . StatusCode ) { case http . StatusUnauthorized : // Do something with the unauthorized request ... } } return err } These errors are also compatible with the errors.Is and errors.As APIs, so you can access the error like so: response , err := client . Payments . Create ( ... ) if err != nil { var apiError * core. APIError if errors . As ( err , apiError ) { // Do something with the API error ... } return err } If you'd like to wrap the errors with additional information and still retain the ability to access the type with errors.Is and errors.As , you can use the %w directive: response , err := client . Payments . Create ( ... ) if err != nil { return fmt . Errorf ( "failed to create payment: %w" , err ) } Webhook Signature Verification The SDK provides a utility method that allow you to verify webhook signatures and ensure that all webhook events originate from Square. The client.Webhooks.VerifySignature method will verify the signature: err := client . Webhooks . VerifySignature ( context . TODO (), & square. VerifySignatureRequest { RequestBody : requestBody , SignatureHeader : header . Get ( "x-square-hmacsha256-signature" ), SignatureKey : "YOUR_SIGNATURE_KEY" , NotificationURL : "https://example.com/webhook" , // The URL where event notifications are sent. }, ); if err != nil { return nil , err } Advanced Request Options A variety of request options are included to adapt the behavior of the library, which includes configuring authorization tokens, or providing your own instrumented *http.Client . Both of these options are shown below: client := squareclient . NewClient ( option . WithToken ( "<YOUR_API_KEY>" ), option . WithHTTPClient ( & http. Client { Timeout : 5 * time . Second , }, ), ) These request options can either be specified on the client so that they're applied on every request (shown above), or for an individual request like so: response , err := client . Payments . List ( ctx , & square. ListPaymentsRequest { Total : square . Int64 ( 100 ), }, option . WithToken ( "<YOUR_API_KEY>" ), ) Providing your own *http.Client is recommended. Otherwise, the http.DefaultClient will be used, and your client will wait indefinitely for a response (unless the per-request, context-based timeout is used). Send Extra Properties All endpoints support sending additional request body properties and query parameters that are not already supported by the SDK. This is useful whenever you need to interact with an unreleased or hidden feature. For example, suppose that a new feature was rolled out that allowed users to list all deactivated team members. You could the relevant query parameters like so: response , err := client . TeamMembers . Search ( context . TODO (), & square. SearchTeamMembersRequest { Limit : square . Int ( 100 ), }, option . WithQueryParameters ( url. Values { "status" : [] string { "DEACTIVATED" }, }, ), ) Receive Extra Properties Every response type includes the GetExtraProperties method, which returns a map that contains any properties in the JSON response that were not specified in the struct. Similar to the use case for sending additional parameters, this can be useful for API features not present in the SDK yet. You can receive and interact with the extra properties like so: response , err := client . Payments . Create ( ... ) if err != nil { return nil , err } extraProperties := response . GetExtraProperties () Retries The Square Go client is instrumented with automatic retries with exponential backoff. A request will be retried as long as the request is deemed retriable and the number of retry attempts has not grown larger than the configured retry limit (default: 2). A request is deemed retriable when any of the following HTTP status codes is returned: 408 (Timeout) 429 (Too Many Requests) 5XX (Internal Server Errors) You can use the option.WithMaxAttempts option to configure the maximum retry limit to your liking. For example, if you want to disable retries for the client entirely, you can set this value to 1 like so: client := squareclient . NewClient ( option . WithMaxAttempts ( 1 ), ) This can be done for an individual request, too: response , err := client . Payments . List ( context . TODO (), & square. ListPaymentsRequest { Total : square . Int64 ( 100 ), }, option . WithMaxAttempts ( 1 ), ) Contributing While we value open-source contributions to this SDK, this library is generated programmatically. Additions made directly to this library would have to be moved over to our generation code, otherwise they would be overwritten upon the next generated release. Feel free to open a PR as a proof of concept, but know that we will not be able to merge it as-is. We suggest opening an issue first to discuss with us! On the other hand, contributions to the README.md are always very welcome! About Go client library for the Square API developer.squareup.com/docs/sdks Topics square go-sdk generated-from-openapi built-with-fern Resources Readme License View license Uh oh! There was an error while loading. Please reload this page . Activity Custom properties Stars 19 stars Watchers 1 watching Forks 2 forks Report repository Releases 19 Version v2.2.0 Latest Oct 16, 2025 + 18 releases Uh oh! There was an error while loading. Please reload this page . Contributors 5 Uh oh! There was an error while loading. Please reload this page . Languages Go 100.0% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:10 |
https://dev.to/t/hacktoberfest | Hacktoberfest - 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 Hacktoberfest Follow Hide Happy hacking! 🎃 Create Post about #hacktoberfest Join the Hacktoberfest 2025 Writing Challenge ! Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Hacktoberfest as a First-Time Maintainer Hacktoberfest: Open Source Reflections Eric Portis Eric Portis Eric Portis Follow for Cloudinary Dec 19 '25 Hacktoberfest as a First-Time Maintainer # hacktoberfest # opensource # community 5 reactions Comments 1 comment 6 min read On the Ignorance and Negligence of Bugcrowd Staff – When Security Becomes a Joke! MONSIF HMOURI MONSIF HMOURI MONSIF HMOURI Follow Dec 1 '25 On the Ignorance and Negligence of Bugcrowd Staff – When Security Becomes a Joke! # programming # hacktoberfest Comments Add Comment 3 min read Field Notes: Hacktoberfest 2025, Week 5 Hacktoberfest: Open Source Reflections Jessica Temporal Jessica Temporal Jessica Temporal Follow Nov 20 '25 Field Notes: Hacktoberfest 2025, Week 5 # hacktoberfest # ai # git # opensource Comments Add Comment 2 min read Hacktoberfest 2025: Diário de Campo, Semana 5 Hacktoberfest: Open Source Reflections Jessica Temporal Jessica Temporal Jessica Temporal Follow Nov 20 '25 Hacktoberfest 2025: Diário de Campo, Semana 5 # hacktoberfest # ai # git # opensource Comments Add Comment 2 min read Congrats to the 2025 Hacktoberfest Writing Challenge Winners! Jess Lee Jess Lee Jess Lee Follow for The DEV Team Nov 20 '25 Congrats to the 2025 Hacktoberfest Writing Challenge Winners! # devchallenge # hacktoberfest # opensource 43 reactions Comments 19 comments 2 min read My Open Source Journey with Kestra (via WeMakeDevs) Hacktoberfest: Contribution Chronicles archu270292 archu270292 archu270292 Follow Nov 9 '25 My Open Source Journey with Kestra (via WeMakeDevs) # opensource # kestra # java # hacktoberfest Comments Add Comment 1 min read Reflections of Hacktoberfest Hacktoberfest: Open Source Reflections Alois Sečkár Alois Sečkár Alois Sečkár Follow Nov 3 '25 Reflections of Hacktoberfest # programming # opensource # java # hacktoberfest Comments Add Comment 6 min read Hacktoberfest 2025 Hacktoberfest: Contribution Chronicles Norbert Dejlich Norbert Dejlich Norbert Dejlich Follow Nov 2 '25 Hacktoberfest 2025 # devchallenge # hacktoberfest # opensource Comments Add Comment 1 min read HacktoberFest: Return to Animation Hacktoberfest: Contribution Chronicles Chris Jarvis Chris Jarvis Chris Jarvis Follow Nov 2 '25 HacktoberFest: Return to Animation # devchallenge # hacktoberfest # opensource 1 reaction Comments Add Comment 3 min read The Last Four PRs for 2025 Hacktoberfest: Contribution Chronicles Gracie Amser Gracie Amser Gracie Amser Follow Nov 2 '25 The Last Four PRs for 2025 # devchallenge # hacktoberfest # opensource # json Comments Add Comment 3 min read The Last Four PRs for 2025 Hacktoberfest: Contribution Chronicles Gracie Amser Gracie Amser Gracie Amser Follow Nov 2 '25 The Last Four PRs for 2025 # devchallenge # hacktoberfest # opensource # json Comments Add Comment 3 min read LitmusChaos October Highlights - Hacktoberfest, Meetups & More! Hacktoberfest: Maintainer Spotlight Pritesh Kiri Pritesh Kiri Pritesh Kiri Follow for LitmusChaos Nov 5 '25 LitmusChaos October Highlights - Hacktoberfest, Meetups & More! # news # hacktoberfest # opensource 6 reactions Comments 1 comment 3 min read Comparing images with AVX Hacktoberfest: Contribution Chronicles Serpent7776 Serpent7776 Serpent7776 Follow Nov 2 '25 Comparing images with AVX # devchallenge # hacktoberfest # opensource # assembly Comments Add Comment 6 min read Improved Theme System Hacktoberfest: Contribution Chronicles Tajudeen Abdulgafar Tajudeen Abdulgafar Tajudeen Abdulgafar Follow Nov 1 '25 Improved Theme System # hacktoberfest # webdev # programming Comments Add Comment 1 min read Reflections on Open Source — Hacktoberfest 2025 Hacktoberfest: Open Source Reflections Paulo Freitas Paulo Freitas Paulo Freitas Follow Nov 1 '25 Reflections on Open Source — Hacktoberfest 2025 # devchallenge # hacktoberfest # opensource Comments Add Comment 2 min read 🌱 2025 Hacktoberfest Writing Challenge Hacktoberfest: Contribution Chronicles Paulo Freitas Paulo Freitas Paulo Freitas Follow Nov 1 '25 🌱 2025 Hacktoberfest Writing Challenge # devchallenge # hacktoberfest # opensource # hacktoberfest25 Comments Add Comment 3 min read My Hacktoberfest 2025 Journey Tajudeen Abdulgafar Tajudeen Abdulgafar Tajudeen Abdulgafar Follow Nov 1 '25 My Hacktoberfest 2025 Journey # hacktoberfest # webdev # programming Comments Add Comment 3 min read Open-Source Docker Book for Hacktoberfest Hacktoberfest: Contribution Chronicles Mohammad-Ali A'RÂBI Mohammad-Ali A'RÂBI Mohammad-Ali A'RÂBI Follow Nov 1 '25 Open-Source Docker Book for Hacktoberfest # devchallenge # hacktoberfest # opensource Comments Add Comment 1 min read Building a Frontend-Only Authentication System Hacktoberfest: Contribution Chronicles Tajudeen Abdulgafar Tajudeen Abdulgafar Tajudeen Abdulgafar Follow Nov 1 '25 Building a Frontend-Only Authentication System # webdev # programming # hacktoberfest Comments Add Comment 2 min read My Hacktoberfest 2025 Hacktoberfest: Contribution Chronicles Sunil Xtha Sunil Xtha Sunil Xtha Follow Nov 1 '25 My Hacktoberfest 2025 # hacktoberfest # opensource # devchallenge Comments Add Comment 3 min read 🚀 My Open Source Journey — From Beginner to Contributor Hacktoberfest: Contribution Chronicles Madhu Kaleru Madhu Kaleru Madhu Kaleru Follow Nov 1 '25 🚀 My Open Source Journey — From Beginner to Contributor # opensource # hacktoberfest # github # developerjourney Comments Add Comment 1 min read Tackling Bigger Challenges and Exploring New Repositories in Hacktoberfest Hacktoberfest: Contribution Chronicles Dharam Ghevariya Dharam Ghevariya Dharam Ghevariya Follow Oct 31 '25 Tackling Bigger Challenges and Exploring New Repositories in Hacktoberfest # hacktoberfest # learning # devjournal # opensource Comments Add Comment 4 min read Hacktoberfest Contribution: Feature implement in make-it-oss Hacktoberfest: Contribution Chronicles Aubrey D Aubrey D Aubrey D Follow Oct 31 '25 Hacktoberfest Contribution: Feature implement in make-it-oss # showdev # ux # hacktoberfest # opensource Comments Add Comment 2 min read Contribution Chronicles: My Hacktoberfest 2025 Journey Hacktoberfest: Contribution Chronicles Yasir Nawaz Yasir Nawaz Yasir Nawaz Follow Oct 31 '25 Contribution Chronicles: My Hacktoberfest 2025 Journey # devchallenge # hacktoberfest # opensource Comments Add Comment 2 min read “One Journey Ends, Another Begins — My Hacktoberfest 2025 Story” Hacktoberfest: Contribution Chronicles Akash Akash Akash Follow Oct 31 '25 “One Journey Ends, Another Begins — My Hacktoberfest 2025 Story” # hacktoberfest # mindsdb # opensource # ai Comments Add Comment 1 min read loading... trending guides/resources Jailbreaking iPhones in 2025: What Still Works and What Doesn’t Congrats to the 2025 Hacktoberfest Writing Challenge Winners! Hactoberfest 2025 review t-shirt How I Fixed Vanishing Pets in vscode-pets CSS Art Museum: Where Creativity Meets Code 🎨 || Maintainer Spotlight 6 Merged PRs, 6 Different Projects, 583 Lines of Code: My Hacktoberfest 2025 Story From Overwhelmed to Empowered: My Hacktoberfest 2025 Journey QuickDoodle: Real-Time Drawing & Guessing Game (with AI Agents Coming Soon!) – Hacktoberfest 2025... How Being Part of a Community Took Me from Hesitant to 5 PRs Merged Hacktoberfest 2025 - Automating reviews Hacktoberfest 25 : l’édition Zenika Open Source Managing Goose Configurations Across Multiple Projects: A Practical Guide Building LAW-T: Creating a Time-Native Programming Language from Scratch How I Built an Agentic AI Coach That Turns Garmin Data Into a Training Partner Field Notes: Hacktoberfest 2025, Week 5 Hacktoberfest 2025 Reflection: Three Years, Three Lessons, One Evolution Comparing images with AVX Building Confidence Through Open Source My First Merge Almost Gave Me a Panic Attack: A Hacktoberfest Maintainer's Story HacktoberFest: Return to Animation 💎 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:10 |
https://docs.suprsend.com/docs/whatsapp-template-guidelines | Whatsapp Template Guidelines - 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 CORE CONCEPTS Whatsapp Template Guidelines Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog CORE CONCEPTS Whatsapp Template Guidelines OpenAI Open in ChatGPT Guidelines and allowed content for whatsapp template approval. OpenAI Open in ChatGPT Message templates are specific message formats that businesses use to send out notifications or customer care messages to people that have opted in to notifications. Messages can include appointment reminders, delivery information, issue resolution and payment updates. Template guidelines Please consider the following guidelines to accelerate the template approval process: Make your message template name clear. Instead of using a name like “template_014” use “bus_ticket_details” Remember that someone outside of your business will be reviewing your templates. Providing more clarity gives reviewers context around how the template will be used. Think about how your template sounds when read out loud. It should not sound promotional and avoid use of marketing language use of exclamation marks etc. Review your templates once before submitting. Make sure there are no spelling or grammatical errors and variables are added in the correct format (two curly brackets on either side) and that no variables are repeated. If you need to write a message template to re-open the 24-hour window, we would suggest starting with some mention of the previous conversation thread. e.g. “I’m sorry that I wasn’t able to respond to your concerns yesterday but I’m happy to assist you now. If you’d like to continue this discussion, please reply with ‘yes’.” or “I was able to do some follow-up based on our previous conversation, and I’ve found the answer to your question about our refund policy. If you’d like to continue our conversation, please say ‘yes’.” Template rejections You cannot use WhatsApp as a channel to attempt to get users to re-engage with your product and/or resurrect churned users. If one or more of your templates have been rejected, it may have been for one of the following reasons: Advertising, marketing, or promotional messages are not permitted. Some examples of this include the following: Offering coupon codes and/or free gifts. Sales, discounts, promotions, product recommendations, offers including recurring content (e.g: timely information, a newsletter, any sort of subscription, a catalog ) Upselling or Cross-selling e.g. “ Here is your boarding pass, with seat assignment and gate information. If you would like to save 10% on your in-flight dinner, order your meal through our app. ” Re-engagement: e.g. “your friend commented on your photo”, “your friend shared a new playlist” “top tweets from people you follow” App downloads: e.g. “ Download our mobile app to pay bills/recharges ”, etc. User takes action with a business that results in a notification for another user e.g. Company X: A buys a gift card for B, Company X notifies B , Company X can’t send a notification asking a user to share a promotion to a group in order for everyone to receive that promotion Reminders or alerts that a user may have indicated interest in seeing e.g. Price drops, back in stock, points expiration - frequent reminders for a variety of things with the primary purpose of sending promotions / sale alerts / etc. Cold call messages e.g. “ Is now a good time to talk? ”, “ Thank you for your interest, can we speak now?”, “I tried contacting you but you weren’t available. When are you free? ”, etc. Sending a survey or poll to collect data e.g. “ Hi, we’re interested in knowing how you feel about certain food groups. Do you mind participating in a survey? ” Inclusion of certain words or phrases that make the message template promotional (even though the content of your template may be fine) WhatsApp does not approve message templates with floating parameters (,that is lines with just parameters and no text). In the below example, we’re referring to {{3}} and {{4}} as the floating parameters. Javascript Copy Ask AI --- TICKET NO : {{ 1 }} PASSENGER NAME : * {{ 2 }} * --- {{ 3 }} - {{ 4 }} Incorrect formatting Some examples of this include the following: Message templates with spelling mistakes will be rejected. Make sure to use parameters like {{1}} , {{2}} , etc. and include the correct number of curly brackets (,that is 2 on the left side of the number and 2 on the right side of the number) Template containing potentially abusive or threatening content Some examples of this include the following: Message templates that threaten customers with a legal course of action will be rejected. Message templates that threaten to add customers to a WhatsApp group with their friends and family to shame them if they don’t pay back their loans will be rejected. Was this page helpful? Yes No Suggest edits Raise issue Previous Design Workflow Learn how to design, edit or publish workflow on SuprSend dashboard. Next ⌘ I x github linkedin youtube Powered by On this page Template guidelines Template rejections Incorrect formatting Template containing potentially abusive or threatening content | 2026-01-13T08:48:10 |
https://devblogs.microsoft.com/dotnet/author/rbhanda | Rahul Bhandari (MSFT), Author at .NET 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 .NET Blog Rahul Bhandari (MSFT) .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now Rahul Bhandari (MSFT) Senior Program Manager, .NET I am a Program Manager on .NET team. I specializes in .NET release processes. University of Florida Alumnus. Author Topics .NET Maintenance & Updates Posts by this author Apr 9, 2025 Post comments count 3 Post likes count 1 .NET and .NET Framework April 2025 servicing releases updates A recap of the latest servicing updates for .NET and .NET Framework for April 2025. .NET .NET Framework Maintenance & Updates Mar 11, 2025 Post comments count 0 Post likes count 1 .NET and .NET Framework March 2025 servicing releases updates A recap of the latest servicing updates for .NET and .NET Framework for March 2025. .NET .NET Framework Maintenance & Updates Feb 11, 2025 Post comments count 4 Post likes count 2 .NET and .NET Framework February 2025 servicing releases updates A recap of the latest servicing updates for .NET and .NET Framework for February 2025. .NET .NET Framework Maintenance & Updates Jan 14, 2025 Post comments count 7 Post likes count 2 .NET and .NET Framework January 2025 servicing releases updates Welcome to our combined .NET servicing updates for January 2025. Let's get into the latest release of .NET & .NET Framework, here is a quick overview of what's new in these releases: Security improvements This month you will find several CVEs that have been fixed this month: .NET January 2025 Updates &n... .NET .NET Framework Maintenance & Updates Nov 12, 2024 Post comments count 2 Post likes count 1 .NET and .NET Framework November 2024 servicing releases updates A recap of the latest servicing updates for .NET and .NET Framework for November 2024. .NET .NET Framework Maintenance & Updates Oct 8, 2024 Post comments count 1 Post likes count 1 .NET and .NET Framework October 2024 servicing releases updates A recap of the latest servicing updates for .NET and .NET Framework for October 2024. .NET .NET Framework Maintenance & Updates Aug 13, 2024 Post comments count 3 Post likes count 1 .NET and .NET Framework August 2024 updates A recap of the updates for .NET and .NET Framework for August 2024. .NET .NET Framework Maintenance & Updates Jul 18, 2024 Post comments count 1 Post likes count 4 .NET 6 will reach End of Support on November 12, 2024 .NET 6 will reach end of support on November 12, 2024, this blog breaks down all the valuable information you need to know and how to update to .NET 8. .NET Maintenance & Updates Jul 9, 2024 Post comments count 7 Post likes count 3 .NET and .NET Framework July 2024 servicing releases updates A recap of the latest servicing updates for .NET and .NET Framework for July 2024. .NET .NET Framework Maintenance & Updates May 15, 2024 Post comments count 6 Post likes count 4 .NET and .NET Framework May 2024 Servicing Updates A recap of the latest servicing updates for .NET and .NET Framework for May 2024. .NET .NET Framework Maintenance & Updates Posts pagination 1 2 … 4 Load more posts Sign in Theme 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:10 |
https://devblogs.microsoft.com/all-things-azure/ | All things Azure 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 All things Azure All things Azure Developer focused how-tos, use cases and solutions on Microsoft Azure Featured posts Dec 2, 2025 Post comments count 0 Post likes count 3 Claude Code + Microsoft Foundry: Enterprise AI Coding Agent Setup Govind Kamtamneni This guide covers setting up Claude Code CLI and VS Code extension with Microsoft Foundry, configuring CLAUDE.md for project context, integrating Spec Kit for s... All things Azure GitHub Copilot github Nov 27, 2025 Post comments count 1 Post likes count 0 Visualizing GitHub Audit Log in Microsoft Defender Xuefeng, sombanerjee Key Observability Trends Around GitHub Security Modern enterprises are increasingly adopting DevSecOps practices, integrating security into every phase... All things Azure github Defender Jun 17, 2025 Post comments count 17 Post likes count 3 Codex Azure OpenAI Integration: Fast & Secure Code Development Govind Kamtamneni Introduction You can now enjoy the same Codex experience in CLI or VS Code with Azure OpenAI support. We've contributed the following five pull requests to mak... All things Azure Developer Productivity App Development Dec 4, 2024 Post comments count 3 Post likes count 48 How to develop AI Apps and Agents in Azure – A Visual Guide Govind, Priyanka As organizations explore new AI-powered experiences and automated workflows, there's a growing need to move beyond experiments and proofs-of-concept to producti... All things Azure App Development Agents Latest posts Jan 7, 2026 Post comments count 1 Post likes count 9 The Realities of Application Modernization with Agentic AI (Early 2026) jkordick How to read this article This article is a reflection based on hands-on experience and is written for engineers and technical leaders who are facing a new application modernization effort and want to build a realistic mental model before reaching for tools. If you are new to application modernization, I recommend reading the article end to end. The early sections focus on why modernization is hard in practice and which foundations matter before any technical decisions are made. If you are already familiar with the app modernization space and mainly interested in the role of agentic AI, you can skip the intro... Dec 18, 2025 Post comments count 0 Post likes count 5 AI Coding Agents and Domain-Specific Languages: Challenges and Practical Mitigation Strategies Chris Romp 1. Introduction AI coding agents/assistants such as GitHub Copilot have become common in modern software engineering workflows. Their strengths—rapid pattern completion, context-aware suggestions, and the ability to learn style from local code—stem from broad training on large corpora of public, general-purpose code. They perform best when the languages, libraries, and idioms requested by developers align with patterns they have seen many times before. Domain-Specific Languages (DSLs) break this assumption. DSLs are deliberately narrow, domain-targeted languages with unique syntax rules, semantics, and ... Dec 4, 2025 Post comments count 13 Post likes count 11 Locking Down MCP: Create a Private Registry on Azure API Center and Enforce It in GitHub Copilot And VS Code tjsingh85 Ever since MCP launched, every customer has asked the same thing: “How does a private MCP registry actually work, and how do we configure it for our enterprise?”. So today, on a snowy, freezing Friday in Zurich, I grabbed a coffe, opened the GitHub docs, dove into Azure API Center portal, and decided to write the blog I wish already existed.A few hours (and quite a few sighs) later, here I am. The docs are great but they definitely don’t cover all the tiny quirks, hidden settings, and errors you’ll hit along the way. What did the journey look like? This post is the guide I d... Dec 2, 2025 Post comments count 0 Post likes count 3 Claude Code + Microsoft Foundry: Enterprise AI Coding Agent Setup Govind Kamtamneni This guide covers setting up Claude Code CLI and VS Code extension with Microsoft Foundry, configuring CLAUDE.md for project context, integrating Spec Kit for structured development, and running Claude Code in GitHub Actions. Prerequisites Step 1: Deploy Claude Models in Foundry In Microsoft Foundry: Alternative: Model Router Model Router is a Foundry model that intelligently routes each prompt to the best underlying model based on query complexity, cost, and performance. Version supports Claude Haiku 4.5, Sonnet 4.5, and Opus 4.1 alongside GPT, DeepSeek, Llama, and Gro... Nov 27, 2025 Post comments count 1 Post likes count 0 Visualizing GitHub Audit Log in Microsoft Defender Xuefeng, sombanerjee Key Observability Trends Around GitHub Security Modern enterprises are increasingly adopting DevSecOps practices, integrating security into every phase of the development lifecycle. Key observability trends include: Challenges in Displaying All Security in One Dashboard Despite GitHub’s robust security features, customers face several challenges: Why Visualizing GitHub Audit Logs in Defender Makes Sense Integrating GitHub audit logs into Microsoft Defender offers several advantages: Microsoft’s solution strategically aligns GitH... Nov 20, 2025 Post comments count 0 Post likes count 1 Develop Faster with VS Code for the Web – Azure: Your Browser-Based Dev Environment Meera Haridasa Developers can now move from idea to Azure-ready code in minutes with VS Code for the Web – Azure. This browser-based environment removes setup time, reduces friction, and gives you immediate access to pre-configured runtimes, GitHub tools, and Azure integrations. As a result, you can start building, editing, and deploying the moment inspiration strikes. For more info, view our VS Code Docs. Build in the Browser with a Ready-to-Use Azure Environment VS Code for the Web – Azure opens directly in your browser, and it loads a workspace that includes Node.js, Python, Java, C#, Git support, and the Azure Develop... Nov 20, 2025 Post comments count 4 Post likes count 4 Azure DevOps to GitHub migration Playbook: Unlocking Agentic DevOps Philippe Didiergeorges Azure DevOps or GitHub Enterprise ? Today, in the Microsoft ecosystem, two Software Development Lifecycle management platforms coexist: - Azure DevOps is designed from the ground up for enterprise with advanced planning features through Azure Boards, build and release automation with Azure Pipelines, and a unique offering for quality teams with Azure Test Plans... - GitHub has evolved with the open-source ecosystem, and its operation is naturally more centered around code repositories, visible by default, and the system of proactive contributions through Forks and Pull Requests. The platform has evolved to... Nov 14, 2025 Post comments count 0 Post likes count 9 Tutorial Videos: Setting up GitHub Copilot for your Company Eldrick Wega This guide shares a series of videos that walk you through setting up GitHub and GitHub Copilot end-to-end for your company. These are especially useful for organizations starting from scratch who want to leverage GitHub Copilot and are looking to get started. These videos were recorded as of October 2025. This article is intentionally brief—just links and essential references so you can dive straight into the content. The videos cover: Note: Although some experiences may evolve as we streamline our onboarding processes, these videos remain a solid introduction. We will prov... Nov 4, 2025 Post comments count 0 Post likes count 4 Powering Distributed AI/ML at Scale with Azure and Anyscale Brendan Burns The path from prototype to production for AI/ML workloads is rarely straightforward. As data pipelines expand and model complexity grows, teams can find themselves spending more time orchestrating distributed compute than building the intelligence that powers their products. Scaling from a laptop experiment to a production-grade workload still feels like reinventing the wheel. What if scaling AI workloads felt as natural as writing in Python itself? That’s the idea behind Ray, the open-source distributed computing framework born at UC Berkeley’s RISELab, and now, it’s coming to Azure in a whole new way. Today,... Load more posts Popular topics All things Azure Developer Productivity GitHub Copilot App Development Agents AI Apps github AI Foundry Thought leadership Modernization Archive January 2026 December 2025 November 2025 October 2025 September 2025 July 2025 June 2025 May 2025 April 2025 February 2025 January 2025 December 2024 November 2024 Follow this blog 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 All things Azure Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://devblogs.microsoft.com/vscode-blog | VS Code Blog - Microsoft for Developers 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 VS Code Blog VS Code Blog Get the latest updates and information from the Visual Studio Code Team Latest posts Visual Studio Code Team December 10, 2025 November 2025 (version 1.107) What’s new in the Visual Studio Code November 2025 Release (1.107). Read the full article release James Montemagno December 3, 2025 Introducing the VS Code Insiders Podcast The VS Code Insiders Podcast is your insider’s guide to the features, decisions, and people shaping the future of Visual Studio Code. Read the full article blog Sean Iyer November 18, 2025 Introducing the Visual Studio Code Private Marketplace: Your Team’s Secure, Curated Extension Hub 🎉 Private Marketplace for VS Code extensions now generally available. Read the full article blog Visual Studio Code Team November 12, 2025 October 2025 (version 1.106) Learn what is new in the Visual Studio Code October 2025 Release (1.106). Read the full article release The VS Code team November 6, 2025 Open Source AI Editor: Second Milestone Ghost text suggestions are now open source as part of the Copilot Chat extension – the second milestone in making VS Code an open source AI editor. Read the full article blog VS Code Team November 5, 2025 A Unified Experience for all Coding Agents Agents took over VS Code in 2025. We released agent mode for VS Code, integration for the Copilot coding agent, and the new GitHub Copilot CLI. But Copilot is not the only agent game in town. There are now more coding agents than ever, including options from OpenAI and Anthropic. Read the full article blog Olivia Guzzardo McVicker, Pierce Boggan October 22, 2025 Expanding Model Choice in VS Code with Bring Your Own Key Learn how the new Language Model Chat Provider API in VS Code is enabling more model choice and extensibility for chat experiences via the Bring Your Own Key experience. Read the full article blog Visual Studio Code Team October 9, 2025 September 2025 (version 1.105) Learn what is new in the Visual Studio Code September 2025 Release (1.105). Read the full article release Isidor Nikolic September 15, 2025 Introducing auto model selection (preview) Use auto model selection in VS Code to get faster responses, reduced rate limiting, and a 10% discount on premium requests for paid users. Read the full article blog 1 2 3 4 5 6 7 8 9 Next Relevant Links VS Code documentation VS Code extensions VS Code blog VS Code release notes Get started Download VS Code VS Code for the Web Learn VS Code introduction videos VS Code tips & tricks Follow this blog Sign in Theme 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:10 |
https://devblogs.microsoft.com/azure-vm-runtime/ | Azure VM Runtime Team 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 Azure VM Runtime Team Azure VM Runtime Team Azure VM Runtime Team Latest posts Aug 18, 2025 Post comments count 1 Post likes count 1 Handling Machine Reboots with VM Applications Joseph Calev One confusion around all of our extensions is: how are reboots handled? This varies by extension, but only VM Applications provide the option on how to handle them. It does this via the "scriptBehaviorAfterReboot" property. "resources": [ { "type": "Microsoft.Compute/galleries/applications/versions", "apiVersion": "2024-03-03", "name": "[concat(parameters('galleries_mygallery_name'), '/', parameters('applicationDefinitionName'), '/', parameters('version'))]", "location": "[parameters('resourceLocation')]", "properties": { ... Jul 15, 2025 Post comments count 0 Post likes count 0 Extension concerns when replacing the OS disk Joseph Calev One confusing area regarding extensions on Azure VMs is - what happens when the OS disk is swapped out? Well, in that case the extensions will run again. Is this the desired behavior? Well, we don't know. There are many types of extensions. Some handle monitoring and security, so those you'll probably want to keep. Some install applications, like VM Applications. You'll probably want those re-installed. Others run a command, such as RunCommand or CustomScript. Those scripts will be re-run, which may be bad or good. Sometimes, those scripts setup the environment on the machine. In that case, it's good that t... Feb 26, 2025 Post comments count 0 Post likes count 2 Using Powershell7 with Managed Runcommand Joseph Calev Today, all scripts run through Managed RunCommand will by default use Powershell 5. What if you have a script that requires Powershell7? This is supported via a new feature, but you will need to specify the different script shell. Here's what you need to do. Ensure your VM has Powershell7 Powershell7 is not installed by default. To ensure it's available on your machine, you have the following options. Here's an example on how to do this: By the time you read this, you'll likely need to update the download of Powershell7, which can be found here. To verify that everything installed,... Nov 27, 2024 Post comments count 0 Post likes count 0 Properly cycling domain passwords with the JSonADDomain extension Joseph Calev For those familiar with the JsonAdDomain extension, it provides an easy way to join VMs to your domain. However, one aspect that customers have been less crazy about is that the domain password must be shared in the protected settings (where it is at least encrypted) and, more importantly, the functionality of the extension doesn't work well with standard security practices. There are several basic security practices involving something like a domain password: The standard procedure for cycling passwords is to actually have two keyvaults. Each contains a password, but only one is valid. When a... Nov 27, 2024 Post comments count 0 Post likes count 1 So how many replicas should my VM Application use? Joseph Calev One great advantage of VM Applications is the ability to specify how many replicas you want for each VM Application version. While documentation exists on how to specify replicas, we don't really provide advice on determining how many replicas to use. The goal of this post is to rectify that gap. First, the basics. When you specify a replica count, we create one storage account behind the scenes for each replica. These are shared across versions of the same application. So, if you have version 1, 2, and 3, and each has 3 replicas, then they'll all use the same storage account underneath. Different applications... Apr 29, 2024 Post comments count 0 Post likes count 0 Introducing Managed RunCommand Artifacts Joseph Calev As most of you may know from the current Managed RunCommand documentation there are multiple ways your script may be specified. However, what if your script uses various artifacts that also must be downloaded to the machine? Well, in the past it was necessary to call RunCommand are use some other technique to get those files on the machine. That process is now simplified. Added to the properties for Managed RunCommand is "artifacts". This is a collection containing artifacts with three properties. artifactUri - The uri from which to download the artifact. As with scriptUri, this may be a SAS ... Apr 3, 2024 Post comments count 0 Post likes count 1 Using Managed RunCommand in an ARM Template Joseph Calev Perhaps one of the largest differences between "Action RunCommand" (internally called RunCommand V1) and "Managed RunCommand" (internally called RunCommand V2) is that Managed RunCommands are ARM resources themselves. That means you can use them in ARM templates. Recently, I needed to issue a RunCommand in an ARM template, so I looked around for examples how to do this. Yes, even though we wrote RunCommand, we're just as lazy as anyone else. However, I didn't find anything, so I thought I'd share how this works so others may be lazy where I failed. The following is an example resource for a VM. This is f... Jan 5, 2024 Post comments count 0 Post likes count 1 When will CustomScript extension re-execute my script? Joseph Calev One of the lesser known differences between RunCommand and CustomScriptExtension is the fact that we do promise to not re-run your script in RunCommand, but no such promise exists for CustomScript. This is mentioned in the documentation, which isn't often fully understood. However, more than once I've been asked: when does CSE actually re-run the script? The answer is, it may run on a reboot. This can happen if your script never finished running. This is actually by design, since many scripts run by CSE may reboot the machine. So, in that case the scripts runs, installs some stuff, reboots the machine... Dec 11, 2023 Post comments count 0 Post likes count 0 The treatFailureAsDeploymentFailure flag Joseph Calev In both VmApplications and RunCommand, we support a property called "treatFailureAsDeploymentFailure". Note that for Managed RunCommand it may not be visible yet in Powershell or CLI, but it is available via ARM. Note that this flag is only available for managed RunCommand. It is not available for action RunCommand. For those unaware, managed RunCommand is the newer version and should be used by default. This flag originated in VmApplications, where the question arose "what if my application should fail to install?" Should this result in a failed deployment? In some cases yes, but in others no. The truth is we... Load more posts Popular topics RunCommand VM Applications Azure VM Runtime Team CustomScriptExtension ARM Template JsonADDomain Top Bloggers Joseph Calev Principal Software Engineer, Azure Core Compute Archive August 2025 July 2025 February 2025 November 2024 April 2024 January 2024 December 2023 July 2023 June 2023 March 2023 February 2023 Follow this blog 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 Azure VM Runtime Team Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://dev.to/quoll/what-cant-i-do-as-a-rule-8a6 | What Can't I do, as a Rule? - 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 Paula Gearon Posted on Aug 22, 2022 • Edited on Jan 7, 2023 What Can't I do, as a Rule? # rdf # owl # sparql # rules I have recently been working with graph databases again, and with OWL descriptions of information. This isn't just about a graph of information, but also about how the information is structured. It's similar to a schema in an RDBMS, but with more information. Describing data in a graph and ontology uses a mathematical system called Description Logic (DL). In fact, it was a community of Description Logic researchers who came together to develop the OWL standard. The result is a system that can be obtuse to learn, but has a solid mathematical foundation without "bugs". It also has the ability to do some unexpected things. Oedipal Issues There is an example provided in the Description Logic Handbook , referred to therein as the "Oedipus Problem". (See page 73 of this PDF of the 1st edition ) A set of relationships around the mythical figure of Oedipus is described using DL, and then a complex question is asked that appears unanswerable at face value. To start with, let's look at the DL data that is presented: hasChild(IOKASTE, OEDIPUS) hasChild(IOKASTE, POLYNEIKES) hasChild(OEDIPUS, POLYNEIKES) hasChild(POLYNEIKES, THERSANDROS) Patricide(OEDIPUS) ¬Patricide(THERSANDROS) Enter fullscreen mode Exit fullscreen mode This describes a rather messy family tree. Oedipus is colored a light red to indicate that he killed his father (ie. he is a "Patricide"), while Thersandros is light blue to indicate that he did not kill his father (he is not a Patricide). Each statement in the DL is presented as a "predicate". This is some kind of name followed by parentheses. The first one here is hasChild . Because it has 2 elements inside the parentheses, then it represents something called a role . The first line says that IOKASTE is connected by the role of hasChild to OEDIPUS , and you can see that I've indicated this in the diagram. By convention, roles will always start with a lower-case letter. The last two lines have only a single element in the parentheses. These declare the class of something. The first one says that OEDIPUS is in the class of Patricide . This is just using DL syntax to describe that he killed his father. The second uses an operator that inverts the class, saying that THERSANDROS is in the class of anyone and anything that is not a Patricide . Again, this is using DL to explicitly state that Thersandros did not kill his father. A Box The data presented so far is what is referred to as instance data . The formal term for this is the ABox , which stands for "Assertion Box". This is like the data that might be found inside a table in an RDBMS. This ABox contains 4 statements of hasChild , and 2 type statements: membership in the Patricide class, and membership of the class that indicates not-a-Patricide , which is indicated as the class of things that is everything that is not a Patricide . T Box What does not appear here is the ontology of the data, which is formally known as the TBox or "Terminology Box". This is similar to a database schema but also goes on to describe relationships between entities, relationships between relationships, properties of relationships, and more. While the TBox has not been included, we can infer a little from the ABox : We can see that there is a relationship called hasChild that connects elements in the domain. We can see that these elements can be on either side of those relationships. There is a class called Patricide . Elements may be a member of Patricide or not. This indicates that those elements that are members of Patricide form a subset of the full domain of elements. We see this because THERSANDROS is an element, but is not a Patricide . Open World Consider how Thersandros is being explicitly declared as not being a member of the Patricide class. This is a result of the Open World Assumption (OWA), and may seem unusual when compared to the more common Closed World Assumption (CWA). In the CWA, any data that is not explicitly stated is known to be false. For instance, both Iokaste and Polyneikes are not declared to be in the class of Patricide , and in the CWA this implies that they are not members of this class. The statement about Thersandros not being a Patricide would therefore be redundant. Most programming systems and databases work on this assumption, so developers are usually familiar with this paradigm. In contrast, under the Open World Assumption any data that is not stated is instead unknown . At some point in the future, more information may be explicitly provided, or a reasoning process may determine new information. But until then, it is not valid to make any decisions based on unstated data. The ¬Patricide(THERSANDROS) statement has been made under the OWA, so that we explicitly know that Thersandros is not in the Patricide class. We also know that Oedipus is a member of that class. But we have no information about whether Iokaste and Polyneikes are members. The Question The question that is posed is this: Does IOKASTE have a child who is a Patricide , who, in turn, has a child who is not a Patricide ? This question can be posed in Description Logic with the expression: (∃hasChild.(Patricide ⊓ ∃hasChild.¬Patricide))(IOKASTE) ? For those who don't know the terminology, let's break it down, by using some substitution. The expression: Aoe(IOKASTE) ? is asking if IOKASTE is a member of the class Aoe . We can then define Aoe as the class in our question: Aoe ≡ ∃hasChild.(Patricide ⊓ ∃hasChild.¬Patricide) (The ≡ symbol means "is equivalent to") So now we need to break down the Aoe class. Let's substitute for the compound statement: Aoe ≡ ∃hasChild.B B ≡ Patricide ⊓ ∃hasChild.¬Patricide This redefines Aoe in terms of B . This definition says that to be a member of Aoe an entity must have a hasChild relationship to an entity that is of type B . Breaking down B , we come to: B ≡ Patricide ⊓ C C ≡ ∃hasChild.¬Patricide So to be a member of the B class, an entity must be both an instance of the Patricide class, and also the C class. The C class is actually compound, but small enough that I did not break it up further. This class defines an entity that has a child that is not a member of the Patricide class. Solving for Aoe To see if IOKASTE is a member of Aoe we can look to see if there is a hasChild relationship, and if one of those children is a member of the B class defined above. IOKASTE has 2 children: OEDIPUS and POLYNEIKES . Let's consider each in turn. The Oedipus Child For OEDIPUS to be a member of B , he needs to be a Patricide and to be a member of C . OEDIPUS is declared as a Patricide , so now we consider he is a member of the C class. This requires a hasChild relationship to someone who is not in the Patricide class. In this case, there is a hasChild relationship to POLYNEIKES , but there is no information to indicate if POLYNEIKES is a Patricide or not. This means that we cannot determine if the conditions are met. Note that we have not determined that IOKASTE is not a member of Aoe . We just do not have sufficient information. POLYNEIKES is either a member of Patricide or she is not, and this will determine whether IOKASTE is a member of Aoe . If POLYNEIKES is not a member of Patricide , then the condition of Aoe(IOKASTE) will be met. The Polyneikes Child For POLYNEIKES to be a member of B , she needs to be a Patricide and to be a member of C . We don't know if she is a member of the Patricide class or not, but let's consider the C class. To be in the C class, POLYNEIKES requires a hasChild relationship to someone who is not in the Patricide class. In this case, there is a hasChild relationship to THERSANDROS who is explicitly declared to be not in the Patricide class. So POLYNEIKES is indeed in the C class. In this case, we also don't know if IOKASTE is a member of Aoe . Again, this is solely dependent on whether or not POLYNEIKES is a member of Patricide . Solution At face value, it appears that there is no way to answer the question of Aoe(IOKASTE) , since all possible paths have an unknown element. However, for the path through OEDIPUS , we know that Aoe(IOKASTE) is true if and only if ¬Patricide(POLYNEIKES) . Meanwhile, for the path through POLYNEIKES , we know that Aoe(IOKASTE) is true if and only if Patricide(POLYNEIKES) . Patricide(POLYNEIKES) may only be true or false, meaning that Polyneikes is a member of the class or she isn't. There aren't any other possibilities. And since both possibilities result in Aoe(IOKASTE) being true, then this tells us that the condition is met. The unusual thing here is that we don't know how the condition is met. We don't have complete information, but we do have enough information to show that the condition is true regardless of the unknown state. Without Rules A forward-chaining reasoner is one that relies on modus ponens and modus tollens . These are both mechanisms that take known information, and deduce new information. However, for the problem of determining Aoe(IOKASTE) , the solution is arrived at through unknown state, meaning that forward-chained reasoners are unable to deduce the result. Theoretically, in a limited case like this, it is possible to create rules for the solution. For instance, a predicate might be created that indicates "true, if X is true", or "true, if X is false", and then create a rule that returns true if both of these are asserted. However, this is limited to simple conditions on single variables. The constructs would quickly get unwieldy as the number of variables increased, and the possible states would explode combinatorially with many of these conditional predicates being asserted. Rather than rules that create conditional assertions, logic engines like Prolog can explore these possibilities in memory. This can and does work, but this approach may also have difficulty in scaling as the number of states increases, and the logic engine has to search them all. What I have discussed so far are proof procedures based on Natural Deduction and trees. Another approach is using a Semantic Tableaux . This considers the entire TBox as a series of logic expressions, along with the inverse of a statement that is being evaluated. The process then manipulates the logic expressions until the statement can be "proven". If it is shown to be false then the inverse was true, so the statement to be evaluated is true . Let's get this back into concrete implementations. RDF The Resource Description Framework (RDF) is a graph data model, where each edge may also be considered to be a logic assertion of a binary predicate applied to each of the connected nodes. For instance, a graph containing 2 nodes of A and B with a edge of E between them would appear as: The logic representation of this is where the edge is considered a binary predicate: E(A, B) Unary predicates in description logic are a statement of an entity's type, and so RDF has created a specific predicate called rdf:type to represent this. For instance, saying that Oedipus is a Patricide has the logic representation of: Patricide(OEDIPUS) And appears in the RDF graph as: This covers most of the ABox that was declared for the Iokaste problem, with the exception of Thersandros being declared as not being a member of Patricide . OWL While RDF is adequate for the ABox data, it is the TBox with its complex class descriptions that describes the question we are trying to answer. The Web Ontology Language (OWL) is a language that includes these descriptions, and is specifically designed to work with RDF data. OWL itself can be serialized into RDF and stored in a graph alongside the data it is describing. Serializing in TTL Using RDF and OWL, the complete ABox as well as the ¬Patricide class can be described in RDF, and serialized into a text format. I prefer to use the Terse Triples Language (Turtle) to serialize RDF, though several other formats exist. @prefix : <http://demo.imo.com/oedipus#> . @prefix owl: <http://www.w3.org/2002/07/owl#> . :NotPatricide owl:complementOf :Patricide . :_Iokaste :hasChild :_Oedipus , :_Polyneikes . :_Oedipus :hasChild :_Polyneikes ; a :Patricide . :_Polyneikes :hasChild :_Thersandros . :_Thersandros a :NotPatricide . Enter fullscreen mode Exit fullscreen mode This looks like the following: Back to the Question With this data in place, I ask about the Aoe class defined above if I add that class to my graph: :Aoe owl:equivalentClass [ a owl:Restriction ; owl:onProperty :hasChild ; owl:someValuesFrom [ owl:intersectionOf (:Patricide [a owl:Restriction ; owl:someValuesFrom :NotPatricide ; owl:onProperty :hasChild])]] . Enter fullscreen mode Exit fullscreen mode This is a transliteration of the expression: ∃hasChild.(Patricide ⊓ ∃hasChild.¬Patricide) into OWL, and was done using the serialization rules shown in the OWL2 Quick Reference Guide . Reasoning We can ask if Iokaste is a member of the Aoe class by using a SPARQL ASK query, with reasoning turned on: @prefix : <http://demo.imo.com/oedipus#> . ASK { :_Iokaste a :Aoe } Enter fullscreen mode Exit fullscreen mode If we load this into an RDF database and issue the query we will get a result of: false What? This took so long to get here! What went wrong? The answer is that we need to enable reasoning. Not every database can handle this, and even fewer can deal with reasoning around incomplete data. Stardog To see a database that can manage this, let's look at Stardog . This is a commercial database, but it can be used for free on smaller datasets. Installation is well documented , and then the web-based UI is very capable, with lots of useful features (that can take a while to explore). Connecting to this UI link requests the address of your DB, connects into it, and gives you an easier interface than a command line. Try putting the above ABox and definition of :Aoe into a file called oedipus.ttl , then it can be loaded into a new database that we will also call "oedipus": $ stardog-admin db create -n oedipus oedipus.ttl Enter fullscreen mode Exit fullscreen mode This should have an output like: Bulk loading data to new database oedipus. Loaded 19 triples to oedipus from 1 file(s) in 00:00:00.337 @ 0.1K triples/sec. Successfully created database 'oedipus'. Enter fullscreen mode Exit fullscreen mode Now try looking at the data: $ stardog query execute oedipus 'select ?s ?p ?o {?s ?p ?o}' Enter fullscreen mode Exit fullscreen mode +----------------------------------------------------+---------------------+----------------------------------------------------+ | s | p | o | +----------------------------------------------------+---------------------+----------------------------------------------------+ | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61818 | owl:someValuesFrom | :NotPatricide | | :_Thersandros | rdf:type | :NotPatricide | | :NotPatricide | owl:complementOf | :Patricide | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61816 | rdf:first | :Patricide | | :_Oedipus | rdf:type | :Patricide | | :Aoe | owl:equivalentClass | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61814 | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61814 | rdf:type | owl:Restriction | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61818 | rdf:type | owl:Restriction | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61814 | owl:onProperty | :hasChild | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61818 | owl:onProperty | :hasChild | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61815 | owl:intersectionOf | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61816 | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61816 | rdf:rest | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61817 | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61817 | rdf:first | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61818 | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61817 | rdf:rest | rdf:nil | | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61814 | owl:someValuesFrom | _:bnode_5f51466d_e100_4b91_b2ea_cf0a9bbc5477_61815 | | :_Iokaste | :hasChild | :_Oedipus | | :_Iokaste | :hasChild | :_Polyneikes | | :_Oedipus | :hasChild | :_Polyneikes | | :_Polyneikes | :hasChild | :_Thersandros | +----------------------------------------------------+---------------------+----------------------------------------------------+ Query returned 19 results in 00:00:00.257 Enter fullscreen mode Exit fullscreen mode If we trace through all of these statements, we can see the blank nodes that were created in the construction of the :Aoe class, along with the intersection list and the restrictions. Enable Reasoning When reasoning is enabled, the TBox is used to describe the data, and direct the reasoning. Consequently, none of the TBox information should appear in the output. We see how this looks on the oedipus data by adding a -r flag: $ stardog query execute -r oedipus "select ?s ?p ?o {?s ?p ?o}" Enter fullscreen mode Exit fullscreen mode +---------------+-----------+---------------+ | s | p | o | +---------------+-----------+---------------+ | :_Iokaste | :hasChild | :_Oedipus | | :_Iokaste | :hasChild | :_Polyneikes | | :_Oedipus | :hasChild | :_Polyneikes | | :_Polyneikes | :hasChild | :_Thersandros | | :_Oedipus | rdf:type | :Patricide | | :_Thersandros | rdf:type | :NotPatricide | | :_Iokaste | rdf:type | owl:Thing | | :_Oedipus | rdf:type | owl:Thing | | :_Polyneikes | rdf:type | owl:Thing | | :_Thersandros | rdf:type | owl:Thing | +---------------+-----------+---------------+ Query returned 10 results in 00:00:01.313 Enter fullscreen mode Exit fullscreen mode This is easier to follow, but the only new data is that all the instance data now has the type owl:Thing . That's correct, but not particularly interesting. And it doesn't infer any members for :Aoe . Stardog can use different reasoning levels , and by default it uses a combination of RDFS , OWL QL , OWL RL , and OWL EL . This is very powerful, but it still doesn't handle the incomplete information from the Oedipus example. However, Stardog also supports the Pellet reasoner. This reasoner is fast and capable, though it can be limited in the scale that it can manage. Fortunately, our data set is tiny so that won't be a problem. To switch to the Pellet reasoner, the database has to be taken down and then back up with the new reasoner setting: $ stardog-admin db offline oedipus The database oedipus is now offline. $ stardog-admin metadata set -o reasoning.type = DL -- oedipus The option ( s ) for the database 'oedipus' were successfully set. $ stardog-admin db online oedipus The database oedipus is now online. Enter fullscreen mode Exit fullscreen mode Now we can look at the data again: $ stardog query execute -r oedipus "select ?s ?p ?o {?s ?p ?o}" Enter fullscreen mode Exit fullscreen mode +---------------+-----------+---------------+ | s | p | o | +---------------+-----------+---------------+ | :_Oedipus | :hasChild | :_Polyneikes | | :_Iokaste | :hasChild | :_Oedipus | | :_Iokaste | :hasChild | :_Polyneikes | | :_Polyneikes | :hasChild | :_Thersandros | | :_Oedipus | rdf:type | :Patricide | | :_Iokaste | rdf:type | :Aoe | | :_Oedipus | rdf:type | owl:Thing | | :_Thersandros | rdf:type | owl:Thing | | :_Iokaste | rdf:type | owl:Thing | | :_Polyneikes | rdf:type | owl:Thing | | :_Thersandros | rdf:type | :NotPatricide | +---------------+-----------+---------------+ Query returned 11 results in 00:00:00.303 Enter fullscreen mode Exit fullscreen mode This includes a single new statement, saying :Aoe(:_Iokaste) Now we can ask the original question: $ stardog query execute -r oedipus "ASK {:_Iokaste a :Aoe}" Result: true Enter fullscreen mode Exit fullscreen mode Conclusion This post explored description logics, and how they can be used to reason on incomplete data. It also demonstrated how the Web Ontology Language is used to encode Description Logic, and how this, in turn, can be represented as RDF. Finally, we used Pellet as an OWL reasoner to answer the original question. Afterword: The above link for Pellet is to a paper in the Journal of Web Semantics . The system itself is open source and can be found on Github . Next I discuss more of modeling data in RDF/OWL in my next post... 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 Jesús Gómez Jesús Gómez Jesús Gómez Follow Joined Dec 18, 2017 • Sep 24 '22 Dropdown menu Copy link Hide Beautiful!: "And since both possibilities result in Aoe(IOKASTE) being true, then this tells us that the condition is met." Aside: I understand that NULL in SQL has to be treated as: I Don't know, which seems to me as an Open World Assumption. Am I right? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Paula Gearon Paula Gearon Paula Gearon Follow Just a girl, standing before a compiler, asking it to love her Location Spotsylvania, VA Education Computer Engineering. Physics. Work Semantic Web Architect Joined Dec 1, 2018 • Oct 11 '22 Dropdown menu Copy link Hide If you're treating it as "I don't know" then it's an open world assumption (OWA), but my experience is that it's typically treated as, "I do know, and the data does not exist" Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Jesús Gómez Jesús Gómez Jesús Gómez Follow Joined Dec 18, 2017 • Oct 11 '22 Dropdown menu Copy link Hide Isn't that the same thing? Not having the data, in a database system, marked with NULL[1], is the same as "not knowing", if we could say the database "knows" something. I think. You ask something to the database and get NULL, you have no knowledge except for the fact that the database doesn't have enough information to concrete an answer. Ex, What's the average income? NULL. I think is valid to read it as "I Don't know" as much as "I Don't have enough data to give you a concrete answer". At least operations are coherent with this reasoning. What is greater NULL or 1: NULL (NULL > 1 = NULL), or... IDK what is greater. [1] I made this note "marked with NULL" because it is different to not having a "row" in a table, which could be conclusive: "There are 10 things, no more no less", instead of saying "There are at least 10 things in the world". In which case I suppose there is nothing but the application context to determine which of the 2 interpretations to use. Ok, I'm raving now. I think I've never thought about this OWA/CWA stuff before. Tell me if I'm wrong on what I said that with traditional databases, it is the application which make the assumptions, i.e. one codes with a preconceived meaning of what NULL is and what non-existing rows mean. Like comment: Like comment: 1 like Like Thread Thread Paula Gearon Paula Gearon Paula Gearon Follow Just a girl, standing before a compiler, asking it to love her Location Spotsylvania, VA Education Computer Engineering. Physics. Work Semantic Web Architect Joined Dec 1, 2018 • Oct 12 '22 Dropdown menu Copy link Hide Strictly speaking, a relational database works with the CWA, so missing data means that as far as the computer is concerned then it does not exist, as opposed to "unknown". For instance, if you're joining between tables on a nullable column, those rows with null in that column will not match. If they were truly "don't know" then they'd be included, since maybe they actually would match if those rows contained appropriate data in that column. An app can absolutely treat it as meaning something else, but that is a choice of the developer of how to treat this data. It's not the default behavior of the database. Like comment: Like comment: 2 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 Paula Gearon Follow Just a girl, standing before a compiler, asking it to love her Location Spotsylvania, VA Education Computer Engineering. Physics. Work Semantic Web Architect Joined Dec 1, 2018 More from Paula Gearon Stay Classy in OWL # rdf # owl # sparql # rules Classification # rdf # owl # sparql # rules 💎 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:10 |
https://dev.to/t/gamedev/page/5 | Game Dev Page 5 - 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 Game Dev Follow Hide 👾 👾 👾 Create Post submission guidelines Write! Just keep it clean and civil! about #gamedev From GameMaker Studio to Unity, RPG Maker to 6502 assembly - this is your stop for all things related to game development! However, please make sure that your post is about DEVELOPING A GAME, or TOOLS THAT DEVELOPERS CAN USE, but please make sure they are tools MADE for developers, not just tools like twitter. That can go in topics like #socialmedia. Older #gamedev posts 2 3 4 5 6 7 8 9 10 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Made a guide site for The Last Caretaker - my first game fan site 妙妙 妙妙 妙妙 Follow Dec 17 '25 Made a guide site for The Last Caretaker - my first game fan site # webdev # javascript # beginners # gamedev Comments Add Comment 1 min read I built a fan site for Where Winds Meet (燕云十六声) in a weekend 妙妙 妙妙 妙妙 Follow Dec 17 '25 I built a fan site for Where Winds Meet (燕云十六声) in a weekend # webdev # nextjs # gamedev # sideprojects Comments Add Comment 1 min read NitroGen — Vision-to-Action Game AI Fabricio Viskor Fabricio Viskor Fabricio Viskor Follow Dec 21 '25 NitroGen — Vision-to-Action Game AI # gamedev # agents # deeplearning # ai Comments Add Comment 2 min read I made a calculator for Roblox Fisch because the wiki was driving me crazy 妙妙 妙妙 妙妙 Follow Dec 17 '25 I made a calculator for Roblox Fisch because the wiki was driving me crazy # webdev # javascript # beginners # gamedev Comments Add Comment 1 min read Building PolyScan: Free CC0 PBR Textures & 3D Models for Real Projects Poly scan Poly scan Poly scan Follow Dec 15 '25 Building PolyScan: Free CC0 PBR Textures & 3D Models for Real Projects # gamedev # unity3d # 3dmodling # opensource Comments Add Comment 1 min read From Algorithms to Adventures Dimi Chakarov Dimi Chakarov Dimi Chakarov Follow Dec 13 '25 From Algorithms to Adventures # iosdev # gamedev # puzzles # swift 1 reaction Comments Add Comment 4 min read Designing a Symbol-Based Portal System for a Web Browser MMO Strategy Game Interstellar Empires Interstellar Empires Interstellar Empires Follow Dec 14 '25 Designing a Symbol-Based Portal System for a Web Browser MMO Strategy Game # webdev # gamedev Comments Add Comment 2 min read Getting Started with 2D Games Using Pyxel (Part 3): Preparing Resource Files Kajiru Kajiru Kajiru Follow Jan 6 Getting Started with 2D Games Using Pyxel (Part 3): Preparing Resource Files # python # gamedev # tutorial # pyxel 1 reaction Comments Add Comment 3 min read I Built a Christmas Endless Runner Game Using Only AI (with Antigravity) reddisanjeevkumar reddisanjeevkumar reddisanjeevkumar Follow Dec 29 '25 I Built a Christmas Endless Runner Game Using Only AI (with Antigravity) # showdev # gamedev # android # ai 6 reactions Comments Add Comment 2 min read Porting Mistreevous to C#: A High-Performance Behavior Tree Library for Modern .NET Diego Teles Diego Teles Diego Teles Follow Dec 14 '25 Porting Mistreevous to C#: A High-Performance Behavior Tree Library for Modern .NET # dotnet # csharp # gamedev # opensource Comments Add Comment 4 min read 🚀 Introducing the Sudoku Solver API: Generate, Solve & Verify Puzzles with Ease Aakash Giri Aakash Giri Aakash Giri Follow Dec 14 '25 🚀 Introducing the Sudoku Solver API: Generate, Solve & Verify Puzzles with Ease # sudoku # gamedev # restapi # sudoksolver 1 reaction Comments Add Comment 2 min read etcGrab Cube — My Browser-Based VR Full-Body Tracking System Sami.s Sami.s Sami.s Follow Dec 14 '25 etcGrab Cube — My Browser-Based VR Full-Body Tracking System # showdev # gamedev # javascript # machinelearning Comments Add Comment 2 min read Understanding Starter Content and Selection Mode in Unreal Engine (Day 10) Dinesh Dinesh Dinesh Follow Jan 5 Understanding Starter Content and Selection Mode in Unreal Engine (Day 10) # beginners # devjournal # gamedev Comments Add Comment 2 min read Building a Game Website With Zero Coding Experience (Thanks to Codex defoy defoy defoy Follow Dec 26 '25 Building a Game Website With Zero Coding Experience (Thanks to Codex # gamedev # beginners # ai # webdev Comments 1 comment 3 min read Game Dev Digest — Issue #310 - Level Design, Indie Marketing, Keeping It Simple, and more Game Dev Digest - The Newsletter On Unity Game Dev Game Dev Digest - The Newsletter On Unity Game Dev Game Dev Digest - The Newsletter On Unity Game Dev Follow Dec 12 '25 Game Dev Digest — Issue #310 - Level Design, Indie Marketing, Keeping It Simple, and more # news # gamedev # unity3d # csharp Comments Add Comment 10 min read Intersection-Aware Asset Placement using Computational Geometry and ML LEE - LEE - LEE - Follow Dec 11 '25 Intersection-Aware Asset Placement using Computational Geometry and ML # algorithms # gamedev # computerscience # machinelearning Comments Add Comment 2 min read Build an Amazing glassmorphism themed Hangman game using Gemini Sripadh Sujith Sripadh Sujith Sripadh Sujith Follow Dec 11 '25 Build an Amazing glassmorphism themed Hangman game using Gemini # ai # gamedev # programming # webdev Comments Add Comment 1 min read Weekly update #21 Aby Noctel Aby Noctel Aby Noctel Follow Dec 10 '25 Weekly update #21 # gamedev # beginners # godot Comments Add Comment 1 min read New platform for Game Devs Nick Doxa Nick Doxa Nick Doxa Follow Dec 11 '25 New platform for Game Devs # discuss # gamedev # webdev # api Comments Add Comment 1 min read [UnrealDev.nvim] Weekly Update (Dec 12, 2025): UNX Enhancements & New Project Creation taku25 taku25 taku25 Follow Dec 12 '25 [UnrealDev.nvim] Weekly Update (Dec 12, 2025): UNX Enhancements & New Project Creation # neovim # gamedev # unrealengine Comments Add Comment 3 min read 3 Ways to Create A Floor in Godot Harry Tanama Harry Tanama Harry Tanama Follow Dec 10 '25 3 Ways to Create A Floor in Godot # godot # gamedev Comments Add Comment 1 min read End up building a decent ADV game engine with Antigravity and Chat GPT tomokat tomokat tomokat Follow Dec 22 '25 End up building a decent ADV game engine with Antigravity and Chat GPT # antigravity # chatgpt # gamedev # phaser 1 reaction Comments Add Comment 2 min read YM2149 in Rust, Part 1: Building a Cycle-Accurate Emulator Markus Velten Markus Velten Markus Velten Follow Dec 10 '25 YM2149 in Rust, Part 1: Building a Cycle-Accurate Emulator # rust # gamedev # audio # emulation Comments Add Comment 6 min read How the Gaming Landscape Is Shifting in 2025: From Cloud Play to Hyper‑Responsive Hardware Ammar Yousry Ammar Yousry Ammar Yousry Follow Dec 10 '25 How the Gaming Landscape Is Shifting in 2025: From Cloud Play to Hyper‑Responsive Hardware # news # gamedev # cloud # performance Comments Add Comment 4 min read A volte devi prendere meno sul serio quello che ti terrorizza e affrontare seriamente quello che ti diverte... Michele Carino Michele Carino Michele Carino Follow Dec 8 '25 A volte devi prendere meno sul serio quello che ti terrorizza e affrontare seriamente quello che ti diverte... # gamedev # growth # developers # joy Comments Add Comment 3 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 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:10 |
https://dev.to/neisha1618 | Neisha Rose - 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 Follow User actions Neisha Rose Returning to software engineering after a few years away. Currently rebuilding my skills in web development, WordPress, and JavaScript. Writing to stay accountable, share what I learn, and connect Location New Orleans, La Joined Joined on Mar 4, 2020 github website Work IT Technician Five Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least five years. Got it Close Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close 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 Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close 4 Week Writing Streak You've posted at least one post per week for 4 consecutive weeks! Got it Close More info about @neisha1618 Currently learning AWS, C# Post 14 posts published Comment 3 comments written Tag 1 tag followed An Introduction to GraphQL Neisha Rose Neisha Rose Neisha Rose Follow Jul 26 '20 An Introduction to GraphQL # webdev # graphql # beginners # codenewbie 108 reactions Comments 2 comments 3 min read Want to connect with Neisha Rose? Create an account to connect with Neisha Rose. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in React and server side rendering with Next.js Neisha Rose Neisha Rose Neisha Rose Follow Jul 20 '20 React and server side rendering with Next.js # react # webdev # javascript # codenewbie 22 reactions Comments Add Comment 4 min read Getting started with our PostgreSQL database Neisha Rose Neisha Rose Neisha Rose Follow Jul 13 '20 Getting started with our PostgreSQL database # node # database # sql # webdev 8 reactions Comments Add Comment 4 min read Introduction to Socket.Io Neisha Rose Neisha Rose Neisha Rose Follow Jul 6 '20 Introduction to Socket.Io # webdev # beginners # node 8 reactions Comments Add Comment 3 min read Navigating single page applications with React Router. Neisha Rose Neisha Rose Neisha Rose Follow Jun 29 '20 Navigating single page applications with React Router. # react # javascript # webdev # codenewbie 12 reactions Comments Add Comment 3 min read In Sync with Asynchronous Request Methods: Axios Neisha Rose Neisha Rose Neisha Rose Follow Jun 1 '20 In Sync with Asynchronous Request Methods: Axios # webdev # codenewbie # beginners 5 reactions Comments Add Comment 3 min read Express Routing Neisha Rose Neisha Rose Neisha Rose Follow May 25 '20 Express Routing # webdev # javascript # beginners # express 5 reactions Comments Add Comment 3 min read React LifeCycle Methods Neisha Rose Neisha Rose Neisha Rose Follow May 17 '20 React LifeCycle Methods # react # javascript # beginners 32 reactions Comments 1 comment 3 min read Client/Server Architecture Neisha Rose Neisha Rose Neisha Rose Follow May 11 '20 Client/Server Architecture # computerscience # javascript # webdev # beginners 21 reactions Comments Add Comment 4 min read Inheritance: Prototypal vs Pseudoclassical Neisha Rose Neisha Rose Neisha Rose Follow May 4 '20 Inheritance: Prototypal vs Pseudoclassical # javascript 4 reactions Comments Add Comment 3 min read Callbacks vs Promises Neisha Rose Neisha Rose Neisha Rose Follow Apr 5 '20 Callbacks vs Promises # javascript # callbacks # promises 72 reactions Comments 3 comments 3 min read React: Passing Data between Components Neisha Rose Neisha Rose Neisha Rose Follow Mar 30 '20 React: Passing Data between Components # react # javascript 7 reactions Comments Add Comment 3 min read Algorithms Neisha Rose Neisha Rose Neisha Rose Follow Mar 23 '20 Algorithms # javascript # algorithms # beginners 6 reactions Comments Add Comment 3 min read Graphs Neisha Rose Neisha Rose Neisha Rose Follow Mar 16 '20 Graphs # javascript 6 reactions Comments Add Comment 3 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 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:10 |
https://devblogs.microsoft.com/dotnet/category/fsharp/ | F# - Category | .NET 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 .NET Blog Category: F# .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now Showing category results for F# Dec 16, 2025 Post comments count 11 Post likes count 0 Microsoft.Testing.Platform Now Fully Supported in Azure DevOps Youssef Fahmy Azure DevOps enhanced support for Microsoft.Testing.Platform, from running tests to publishing results! .NET C# F# Nov 17, 2025 Post comments count 4 Post likes count 4 Introducing F# 10 Adam Boniecki Learn about new F# 10 language features, performance upgrades, and tooling improvements shipping with .NET 10. .NET F# Nov 11, 2025 Post comments count 15 Post likes count 47 Announcing .NET 10 .NET Team Announcing the release of .NET 10, the most productive, modern, secure, intelligent, and performant release of .NET yet. With updates across ASP.NET Core, C# 14, .NET MAUI, Aspire, and so much more. .NET ASP.NET Core C# Aug 21, 2025 Post comments count 2 Post likes count 6 Enhance your CLI testing workflow with the new dotnet test Mariam Abdullah Learn how .NET 10 transforms dotnet test with native Microsoft.Testing.Platform integration, delivering better performance and enhanced diagnostics. .NET C# F# Mar 19, 2025 Post comments count 9 Post likes count 4 MSTest 3.8: Top 10 features to supercharge your .NET tests! Youssef, Amaury MSTest 3.8 is here! It's built on your feedback and packed with powerful new features to simplify and smooth your testing experience. .NET C# F# Feb 10, 2025 Post comments count 12 Post likes count 8 Microsoft.Testing.Platform: Now Supported by All Major .NET Test Frameworks Amaury Levé All major .NET testing frameworks are now supporting Microsoft.Testing.Platform. Whether you are using Expecto, MSTest, NUnit, TUnit, or xUnit.net, you can now leverage the new testing platform to run your tests. .NET C# F# Nov 14, 2024 Post comments count 0 Post likes count 2 Nullable Reference Types in F# 9 RNDr. Tomáš Grošup, Ph.D. Read about latest F# 9 feature, Nullable Reference Types .NET F# Static Analysis Nov 12, 2024 Post comments count 30 Post likes count 44 Announcing .NET 9 .NET Team Announcing the release of .NET 9, the most productive, modern, secure, intelligent, and performant release of .NET yet. With updates across ASP.NET Core, C#, .NET MAUI, .NET Aspire, and so much more. .NET ASP.NET Core C# Sep 9, 2024 Post comments count 10 Post likes count 20 Why is F# code so robust and reliable? Vladimir Shchur F# is not just for math and big data, it's a general purpose language that will greatly reduce the amount of bugs in your code. .NET F# Jul 31, 2024 Post comments count 2 Post likes count 2 Enhancing #help in F# Interactive David Schaefer The '#help' directive in F# Interactive can now quickly access documentation instantly within the REPL. .NET F# Posts pagination 1 2 … 5 Load more posts Learn C# & .NET Free tutorials, videos, courses, and more for beginner through advanced .NET developers. Get Started Today Popular topics .NET Aspire .NET MAUI AI ASP.NET Core Blazor C# Developer Stories NuGet Azure .NET Feature Blogs .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework Machine Learning NuGet Languages C# F# Visual Basic Popular Topics .NET Internals .NET Servicing Containers Developer Stories Performance More .NET Download .NET .NET Community .NET Documentation .NET API Browser Learn .NET Learning Hub Architecture Guidance Beginner Videos Customer Showcase Follow Twitter Mastodon YouTube Facebook LinkedIn GitHub Bluesky Archive January 2026 December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 March 2015 February 2015 January 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 September 2013 August 2013 July 2013 June 2013 May 2013 April 2013 March 2013 February 2013 January 2013 December 2012 November 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 December 2011 November 2011 October 2011 September 2011 August 2011 June 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 August 2010 July 2010 June 2010 May 2010 April 2010 March 2010 February 2010 January 2010 December 2009 November 2009 October 2009 September 2009 August 2009 July 2009 June 2009 May 2009 April 2009 March 2009 February 2009 January 2009 December 2008 November 2008 October 2008 September 2008 August 2008 July 2008 June 2008 May 2008 April 2008 March 2008 February 2008 January 2008 December 2007 November 2007 October 2007 September 2007 August 2007 July 2007 June 2007 May 2007 April 2007 March 2007 February 2007 January 2007 December 2006 November 2006 October 2006 September 2006 August 2006 July 2006 June 2006 May 2006 April 2006 March 2006 February 2006 January 2006 October 2005 July 2005 May 2005 December 2004 November 2004 September 2004 June 2004 Follow this blog 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 .NET Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://dev.to/jajera | John Ajera - 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 Follow User actions John Ajera Platform Engineer Location Wellington, New Zealand Joined Joined on Nov 20, 2024 Personal website https://jajera.github.io/gitprofile/ Work Earth Sciences New Zealand More info about @jajera Badges One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Skills/Languages AWS, Terraform, GitHub, Ansible, Chef, Puppet, Linux, Windows Server, SCCM, etc Post 115 posts published Comment 5 comments written Tag 0 tags followed How to Create a GitHub App for Atlantis John Ajera John Ajera John Ajera Follow Jan 1 How to Create a GitHub App for Atlantis # github # apps # atlantis # terraform 1 reaction Comments Add Comment 9 min read Want to connect with John Ajera? Create an account to connect with John Ajera. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Setting Up GitHub Pages with GitHub Actions John Ajera John Ajera John Ajera Follow Dec 31 '25 Setting Up GitHub Pages with GitHub Actions # github # pages # actions # deployment 1 reaction Comments Add Comment 7 min read Creating Your Own Dev Container Feature for VS Code John Ajera John Ajera John Ajera Follow Dec 31 '25 Creating Your Own Dev Container Feature for VS Code # devcontainer # vscode # github # features 2 reactions Comments Add Comment 10 min read Setting Up Custom Domain for GitHub Pages with Route53 John Ajera John Ajera John Ajera Follow Dec 16 '25 Setting Up Custom Domain for GitHub Pages with Route53 # aws # route53 # github # terraform 1 reaction Comments Add Comment 4 min read VPC Design and CIDR Planning John Ajera John Ajera John Ajera Follow Nov 30 '25 VPC Design and CIDR Planning # aws # vpc # networking # cidr 1 reaction Comments Add Comment 5 min read Understanding Amazon VPC - Overview and Fundamentals John Ajera John Ajera John Ajera Follow Nov 30 '25 Understanding Amazon VPC - Overview and Fundamentals # aws # vpc # networking # terraform 2 reactions Comments Add Comment 3 min read Building an AWS Content Delivery Stack with Terraform John Ajera John Ajera John Ajera Follow Nov 30 '25 Building an AWS Content Delivery Stack with Terraform # terraform # network # iac # cicd 1 reaction Comments Add Comment 4 min read Install Node.js on Windows via CLI (winget) John Ajera John Ajera John Ajera Follow Nov 8 '25 Install Node.js on Windows via CLI (winget) # node # npm # windows # winget 9 reactions Comments Add Comment 2 min read Block S3 Website with Terraform (Keep IP Access Ready) John Ajera John Ajera John Ajera Follow Oct 10 '25 Block S3 Website with Terraform (Keep IP Access Ready) # aws # terraform # s3 # security Comments Add Comment 3 min read AWS Control Tower: Create Your First Landing Zone John Ajera John Ajera John Ajera Follow Oct 10 '25 AWS Control Tower: Create Your First Landing Zone # aws # controltower # governance # security 1 reaction Comments Add Comment 4 min read Running an ECS Task Manually on EC2 John Ajera John Ajera John Ajera Follow Oct 8 '25 Running an ECS Task Manually on EC2 # aws # ecs # cli # devops Comments Add Comment 1 min read How to Use Gmail +Aliases to Create Extra Email Addresses John Ajera John Ajera John Ajera Follow Sep 28 '25 How to Use Gmail +Aliases to Create Extra Email Addresses # gmail # productivity # email Comments Add Comment 1 min read Install PlatformIO Core (CLI) on Windows John Ajera John Ajera John Ajera Follow Sep 23 '25 Install PlatformIO Core (CLI) on Windows # platformio # embedded # iot # python Comments Add Comment 1 min read Install Python on Windows via CLI (winget) John Ajera John Ajera John Ajera Follow Sep 23 '25 Install Python on Windows via CLI (winget) # python # windows # cli # winget 1 reaction Comments Add Comment 2 min read Enable Bash-Style History Search and Suggestions in PowerShell John Ajera John Ajera John Ajera Follow Sep 21 '25 Enable Bash-Style History Search and Suggestions in PowerShell # powershell # productivity # terminal # windows 2 reactions Comments Add Comment 2 min read Configuring AWS Vault with the Wincred Backend for Secure Credential Management on Windows John Ajera John Ajera John Ajera Follow Sep 20 '25 Configuring AWS Vault with the Wincred Backend for Secure Credential Management on Windows # aws # windows # security # credentials Comments Add Comment 5 min read Building an ESP32-C3 WiFi MQTT Client for IoT Data Streaming (DevKitM-1 / Rust-1) John Ajera John Ajera John Ajera Follow Sep 20 '25 Building an ESP32-C3 WiFi MQTT Client for IoT Data Streaming (DevKitM-1 / Rust-1) # esp32 # iot # wifi # mqtt 2 reactions Comments Add Comment 6 min read Configuring WiFi on ESP32-C3 DevKitM-1 / Rust-1 John Ajera John Ajera John Ajera Follow Sep 19 '25 Configuring WiFi on ESP32-C3 DevKitM-1 / Rust-1 # esp32 # arduino # iot # wifi Comments Add Comment 4 min read Getting RGB LED Working on ESP32-C3 DevKitM-1 / Rust-1 John Ajera John Ajera John Ajera Follow Sep 19 '25 Getting RGB LED Working on ESP32-C3 DevKitM-1 / Rust-1 # esp32 # arduino # iot # rgb Comments Add Comment 2 min read Arduino IDE Configuration for ESP32-C3 DevKitM-1 / Rust-1 John Ajera John Ajera John Ajera Follow Sep 19 '25 Arduino IDE Configuration for ESP32-C3 DevKitM-1 / Rust-1 # esp32 # arduino # iot # rust Comments Add Comment 1 min read How to Enable SSH on Ubuntu John Ajera John Ajera John Ajera Follow Sep 16 '25 How to Enable SSH on Ubuntu # ubuntu # ssh # server # remote 2 reactions Comments Add Comment 2 min read What Is Kiro AWS? John Ajera John Ajera John Ajera Follow Jul 15 '25 What Is Kiro AWS? # aws # kiro # ide # developer 5 reactions Comments Add Comment 2 min read Getting Started with Kiro AWS on Windows John Ajera John Ajera John Ajera Follow Jul 15 '25 Getting Started with Kiro AWS on Windows # aws # kiro # windows # developer 53 reactions Comments 4 comments 4 min read How to Create an Activation Key for Red Hat Developer Subscription John Ajera John Ajera John Ajera Follow Jul 14 '25 How to Create an Activation Key for Red Hat Developer Subscription # redhat # rhel # activationkey # subscription Comments Add Comment 2 min read How to Host Static Websites on Google Cloud Storage John Ajera John Ajera John Ajera Follow Jul 6 '25 How to Host Static Websites on Google Cloud Storage # gcp # gcs # staticwebsite # webhosting 2 reactions Comments Add Comment 2 min read How to Set Up a Billing Account in Google Cloud John Ajera John Ajera John Ajera Follow Jul 6 '25 How to Set Up a Billing Account in Google Cloud # gcp # billing # googlecloud # setup 1 reaction Comments Add Comment 1 min read Set Up Billing in GCP John Ajera John Ajera John Ajera Follow Jul 5 '25 Set Up Billing in GCP # gcp # gcloud # billing # setup 1 reaction Comments Add Comment 1 min read Best Practice: Set Up gcloud auth and Application Default Credentials (ADC) John Ajera John Ajera John Ajera Follow Jul 5 '25 Best Practice: Set Up gcloud auth and Application Default Credentials (ADC) # gcp # auth # adc # gcloud 3 reactions Comments Add Comment 3 min read How to Enable Claude 3 Sonnet in Amazon Bedrock Console John Ajera John Ajera John Ajera Follow Jun 27 '25 How to Enable Claude 3 Sonnet in Amazon Bedrock Console # aws # bedrock # machinelearning # genai 1 reaction Comments Add Comment 2 min read The Mystery of the Malformed S3 Authorization Header John Ajera John Ajera John Ajera Follow Jun 21 '25 The Mystery of the Malformed S3 Authorization Header # aws # s3 # terraform # cloud Comments Add Comment 1 min read Building a DevContainer Feature for Amazon Q CLI (Inspired by a Kiwi Memory Game) John Ajera John Ajera John Ajera Follow Jun 19 '25 Building a DevContainer Feature for Amazon Q CLI (Inspired by a Kiwi Memory Game) # aws # q # amazonqcli # devcontainer 1 reaction Comments Add Comment 3 min read Building a Kiwi-Themed Memory Game with Amazon Q CLI John Ajera John Ajera John Ajera Follow Jun 4 '25 Building a Kiwi-Themed Memory Game with Amazon Q CLI # aws # q # games # amazonqcli Comments Add Comment 2 min read GitHub Actions to AWS OIDC Integration SetuP John Ajera John Ajera John Ajera Follow May 31 '25 GitHub Actions to AWS OIDC Integration SetuP # aws # github # actions # oidc 2 reactions Comments Add Comment 3 min read Getting Started with AWS SSO Using `aws configure sso` John Ajera John Ajera John Ajera Follow May 26 '25 Getting Started with AWS SSO Using `aws configure sso` # aws # sso # cli # iam 1 reaction Comments Add Comment 2 min read AWS IAM Identity Center Setup Guide: Secure Console Access Without IAM Users John Ajera John Ajera John Ajera Follow May 25 '25 AWS IAM Identity Center Setup Guide: Secure Console Access Without IAM Users # iam # sso # identity # center 1 reaction Comments Add Comment 2 min read Fluent Bit for Amazon EKS on AWS Fargate John Ajera John Ajera John Ajera Follow May 2 '25 Fluent Bit for Amazon EKS on AWS Fargate # aws # eks # terraform # cloudwatch Comments Add Comment 4 min read How to Publish to the Terraform Registry (Modules, Providers, Functions) John Ajera John Ajera John Ajera Follow Apr 26 '25 How to Publish to the Terraform Registry (Modules, Providers, Functions) # terraform # public # registry # github 1 reaction Comments Add Comment 3 min read Enhancing Your GitHub Profile with a README John Ajera John Ajera John Ajera Follow Apr 19 '25 Enhancing Your GitHub Profile with a README # github # profile # devtools # automation 1 reaction Comments Add Comment 2 min read Lambda@Edge: Run Code at the Edge with CloudFront John Ajera John Ajera John Ajera Follow Apr 17 '25 Lambda@Edge: Run Code at the Edge with CloudFront # aws # lambda # cloudfront # serverless 1 reaction Comments Add Comment 2 min read Kubernetes Key Commands John Ajera John Ajera John Ajera Follow Apr 13 '25 Kubernetes Key Commands # kubernetes # kubectl # cheatsheet # productivity 1 reaction Comments Add Comment 2 min read Linux Directory Structure Explained John Ajera John Ajera John Ajera Follow Apr 9 '25 Linux Directory Structure Explained # linux # filesystem # devops # beginners 2 reactions Comments Add Comment 2 min read Top 20 kubectl Commands for Everyday Kubernetes Workflows John Ajera John Ajera John Ajera Follow Apr 6 '25 Top 20 kubectl Commands for Everyday Kubernetes Workflows # kubectl # kubernetes # cli # devops 3 reactions Comments 1 comment 3 min read EBS CSI Node DaemonSet Not Scheduling on EKS Nodes John Ajera John Ajera John Ajera Follow Mar 30 '25 EBS CSI Node DaemonSet Not Scheduling on EKS Nodes # ebs # daemonset # tolerations # csi Comments Add Comment 2 min read PVC Pending in Prometheus Deployment (and How to Fix It) John Ajera John Ajera John Ajera Follow Mar 30 '25 PVC Pending in Prometheus Deployment (and How to Fix It) # pvc # prometheus # storageclass # helm 1 reaction Comments Add Comment 1 min read Why Your EBS CSI Driver Can’t Attach Volumes (And How IRSA Fixes It) John Ajera John Ajera John Ajera Follow Mar 30 '25 Why Your EBS CSI Driver Can’t Attach Volumes (And How IRSA Fixes It) # eks # ebs # csi # irsa Comments Add Comment 3 min read Fixing Fluent Bit on EKS: Solving the "NoCredentialProviders" Error John Ajera John Ajera John Ajera Follow Mar 29 '25 Fixing Fluent Bit on EKS: Solving the "NoCredentialProviders" Error # eks # fluentbit # observability # terraform 1 reaction Comments Add Comment 2 min read Logging Options in Amazon EKS: Fluent Bit vs Fluentd John Ajera John Ajera John Ajera Follow Mar 28 '25 Logging Options in Amazon EKS: Fluent Bit vs Fluentd # aws # eks # kubernetes # observability 1 reaction Comments Add Comment 2 min read Understanding EKS Compute Options: Self-Managed, Managed Node Groups, Fargate, and Karpenter John Ajera John Ajera John Ajera Follow Mar 27 '25 Understanding EKS Compute Options: Self-Managed, Managed Node Groups, Fargate, and Karpenter # aws # eks # kubernetes # devops 2 reactions Comments 1 comment 3 min read How to Configure Logging in Amazon EKS Fargate with Terraform John Ajera John Ajera John Ajera Follow Mar 22 '25 How to Configure Logging in Amazon EKS Fargate with Terraform # aws # eks # terraform # cloudwatch Comments Add Comment 2 min read Understanding Execution Units in Amazon EKS with Fargate John Ajera John Ajera John Ajera Follow Mar 22 '25 Understanding Execution Units in Amazon EKS with Fargate # eks # fargate # kubernetes # containers Comments Add Comment 3 min read Accessing Amazon EKS from a Jumphost using Access Entries John Ajera John Ajera John Ajera Follow Mar 21 '25 Accessing Amazon EKS from a Jumphost using Access Entries # eks # kubectl # iam # terraform 1 reaction Comments Add Comment 3 min read Optimizing AWS EventBridge - Default vs. Custom Event Buses and Best Practices John Ajera John Ajera John Ajera Follow Mar 7 '25 Optimizing AWS EventBridge - Default vs. Custom Event Buses and Best Practices # aws # eventbridge # cloudwatch # automation 1 reaction Comments Add Comment 3 min read How to Send Notifications to Slack Using Python John Ajera John Ajera John Ajera Follow Mar 6 '25 How to Send Notifications to Slack Using Python # python # slack # automation # sqs 1 reaction Comments Add Comment 3 min read Customizing the Message of the Day (MOTD) on AWS EC2 Instances Using Terraform John Ajera John Ajera John Ajera Follow Feb 16 '25 Customizing the Message of the Day (MOTD) on AWS EC2 Instances Using Terraform # terraform # ec2 # motd # cloudinit Comments Add Comment 3 min read ECS Task Debugging Checklist John Ajera John Ajera John Ajera Follow Feb 2 '25 ECS Task Debugging Checklist # aws # ecs # debug # troubleshoot 2 reactions Comments Add Comment 3 min read Datadog Agent Debugging Checklist for Docker Containers John Ajera John Ajera John Ajera Follow Feb 1 '25 Datadog Agent Debugging Checklist for Docker Containers # datadog # docker # monitoring # observability Comments Add Comment 2 min read Datadog Agent Debugging Checklist John Ajera John Ajera John Ajera Follow Feb 1 '25 Datadog Agent Debugging Checklist # datadog # monitoring # devops # observability 2 reactions Comments 1 comment 2 min read Understanding the `.github` Repository John Ajera John Ajera John Ajera Follow Jan 27 '25 Understanding the `.github` Repository # github # automation # devops # cicd 20 reactions Comments 4 comments 2 min read Deploying MkDocs on GitHub Pages with DevContainers John Ajera John Ajera John Ajera Follow Jan 27 '25 Deploying MkDocs on GitHub Pages with DevContainers # mkdocs # github # pages # cicd 2 reactions Comments Add Comment 3 min read AWS VPC Endpoints: Secure Private Connectivity John Ajera John Ajera John Ajera Follow Jan 26 '25 AWS VPC Endpoints: Secure Private Connectivity # aws # networking # security # vpc Comments Add Comment 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 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:10 |
https://devblogs.microsoft.com | Microsoft Dev Blogs: Code, News, and Insights for Developers 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 Microsoft Developer Blogs Get the latest information, insights, and news from Microsoft. Highlights Secure and Intelligent: Queryable Encryption and Vector Search in MongoDB EF Core Provider The MongoDB EF Core provider now supports Queryable Encryption and Vector Search. Learn how to encrypt sensitive data while querying it and build AI-powered semantic search applications directly with EF Core. Read more Click to read more about this post Understanding and mitigating a stack overflow in our task sequencer The recurring problem of synchronous resumption. Read more Click to read more about this post XAML Studio is now Open Sourced XAML Studio Open Sourced It's been over 8 years since what became XAML Studio was started. And from nearly the beginning, it was always envisioned as an open-source project… So, it's with great pleasure that I'm happy to announce that day has finally come! XAML Studio is now an... Read more Click to read more about this post Latest posts Jan 12, 2026 Post comments count 0 Post likes count 1 How to Build Android Widgets with .NET MAUI Toine de Boer Build interactive Android widgets with .NET MAUI using RemoteViews, intents, and shared data. .NET Blog Jan 12, 2026 Post comments count 0 Post likes count 1 How We Synchronize .NET's Virtual Monorepo Přemek Vysoký A deep dive into the technical challenges of keeping .NET's product repositories synchronized with our Virtual Monolithic Repository using a custom two-way algorithm. .NET Blog Jan 12, 2026 Post comments count 4 Post likes count 1 Aspire for JavaScript developers David Pine Aspire 13 brings comprehensive JavaScript and TypeScript support to cloud-native development, enabling you to orchestrate Node.js applications, Vite frontends, and JavaScript services alongside your .NET projects with unified tooling and seamless integration. Aspire Blog Jan 12, 2026 Post comments count 0 Post likes count 1 Clipping the focus item when looking for its on-screen location Raymond Chen Preventing the cursor from pointing to nothing. The Old New Thing Jan 9, 2026 Post comments count 1 Post likes count 1 Using Active Accessibility to find out where the focus item is Raymond Chen Looking at child objects. The Old New Thing Jan 8, 2026 Post comments count 0 Post likes count 2 Scaling AI Agents with Aspire: The Missing Isolation Layer for Parallel Development tamir dresher Scaling AI agent development with Aspire and Git worktrees by solving port conflicts through automatic port allocation scripts and an MCP proxy layer that enables parallel AI agents to orchestrate and debug complete distributed systems simultaneously. Aspire Blog Jan 8, 2026 Post comments count 4 Post likes count 2 Using Active Accessibility to find out where the Windows caret is Raymond Chen It's old and rather simple, but we like simple. The Old New Thing Jan 7, 2026 Post comments count 1 Post likes count 9 The Realities of Application Modernization with Agentic AI (Early 2026) jkordick How to read this article This article is a reflection based on hands-on experience and is written for engineers and technical leaders who are facing a new application modernization effort and want to build a realistic mental model before reaching for tools. If you are new to... All things Azure Jan 7, 2026 Post comments count 1 Post likes count 0 Secure and Intelligent: Queryable Encryption and Vector Search in MongoDB EF Core Provider Rishit, Luce The MongoDB EF Core provider now supports Queryable Encryption and Vector Search. Learn how to encrypt sensitive data while querying it and build AI-powered semantic search applications directly with EF Core. .NET Blog 1 … 48 Load more posts All Blogs .NET Blog The Old New Thing Visual Studio Blog Microsoft 365 Developer Blog DirectX Developer Blog C++ Team Blog Windows Command Line Azure DevOps Blog TypeScript PowerShell Team Semantic Kernel Azure Cosmos DB Blog Azure SQL Devs’ Corner NuGet Blog Python Microsoft Entra Identity Platform ISE Developer Blog PIX on Windows #ifdef Windows Azure Government Scripting Blog [archived] Microsoft for Java Developers Azure SDK Blog OData Power Platform Developer Blog Q# Blog .NET中文官方博客 Microsoft for Go Developers Develop from the cloud Azure Notification Hubs Blog Azure VM Runtime Team Java Blog in Chinese Azure Depth Platform ASP.NET Blog All things Azure UDM Blog Xcode Microsoft Foundry Aspire Blog Microsoft Entra PowerShell Resources Microsoft Docs Visual Studio Products A New Way to Learn Developer Community MSDN / TechNet Blogs Privacy & FAQ Privacy on Dev Blogs Dev Blogs FAQ RSS Feed Sign in Theme 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:10 |
https://dev.to/t/gamedev/page/7 | Game Dev Page 7 - 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 Game Dev Follow Hide 👾 👾 👾 Create Post submission guidelines Write! Just keep it clean and civil! about #gamedev From GameMaker Studio to Unity, RPG Maker to 6502 assembly - this is your stop for all things related to game development! However, please make sure that your post is about DEVELOPING A GAME, or TOOLS THAT DEVELOPERS CAN USE, but please make sure they are tools MADE for developers, not just tools like twitter. That can go in topics like #socialmedia. Older #gamedev posts 4 5 6 7 8 9 10 11 12 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu AI Vibe Coding Is A Lie Nabir14 Nabir14 Nabir14 Follow Nov 30 '25 AI Vibe Coding Is A Lie # programming # ai # webdev # gamedev Comments 2 comments 4 min read 🎮 Learning Game Development – Day 8 Dinesh Dinesh Dinesh Follow Jan 3 🎮 Learning Game Development – Day 8 # gamedev # software # cpp # gamechallenge Comments Add Comment 2 min read I actually created a gaming website. jackeliot jackeliot jackeliot Follow Dec 23 '25 I actually created a gaming website. # gamedev # programming 1 reaction Comments 1 comment 1 min read Building a Horror Game in 8 Hours with Kiro AI - My Kiroween Hackathon Journey Masih Maafi Masih Maafi Masih Maafi Follow Dec 3 '25 Building a Horror Game in 8 Hours with Kiro AI - My Kiroween Hackathon Journey # ai # hackathon # webdev # gamedev 1 reaction Comments 1 comment 5 min read 🎮 Learning Game Development – Day 7 Dinesh Dinesh Dinesh Follow Jan 2 🎮 Learning Game Development – Day 7 # gamedev # developer # programming # godotengine Comments Add Comment 2 min read I Lost a Week to a Physics Bug in a Multiplayer Golf Game varun chaaras varun chaaras varun chaaras Follow Dec 21 '25 I Lost a Week to a Physics Bug in a Multiplayer Golf Game # gamedev # multiplayer # javascript # ai 3 reactions Comments Add Comment 1 min read Game Dev Digest — Issue #308 - Unity Roadmap, Tips, and more Game Dev Digest - The Newsletter On Unity Game Dev Game Dev Digest - The Newsletter On Unity Game Dev Game Dev Digest - The Newsletter On Unity Game Dev Follow Nov 28 '25 Game Dev Digest — Issue #308 - Unity Roadmap, Tips, and more # news # gamedev # unity3d # csharp Comments Add Comment 10 min read I thought materials in Unreal Engine were just about colors. I was wrong. They’re more about logic than visuals. Dinesh Dinesh Dinesh Follow Jan 1 I thought materials in Unreal Engine were just about colors. I was wrong. They’re more about logic than visuals. # gamedev # computerscience # resources # gamechallenge Comments 4 comments 2 min read Block-Reign: A Player vs AI Grid Game That Learns From You Puneet-Kumar2010 Puneet-Kumar2010 Puneet-Kumar2010 Follow Dec 27 '25 Block-Reign: A Player vs AI Grid Game That Learns From You # ai # gamedev # python # opensource 7 reactions Comments 6 comments 2 min read Game Dev is tedious — and I like it. Proman4713 Proman4713 Proman4713 Follow Dec 10 '25 Game Dev is tedious — and I like it. # gamedev # unity3d # godot # godotengine 1 reaction Comments Add Comment 6 min read Why Learning C Is My First Step Toward Becoming a Game Engine Programmer Victor J. Rosario V. Victor J. Rosario V. Victor J. Rosario V. Follow Jan 1 Why Learning C Is My First Step Toward Becoming a Game Engine Programmer # c # gamedev # learning # programming 3 reactions Comments 2 comments 2 min read How I Built a 3D Endless Runner Game in a Weekend Using AI as My Engineering Partner Adetomiwa Ogundiran Adetomiwa Ogundiran Adetomiwa Ogundiran Follow Dec 18 '25 How I Built a 3D Endless Runner Game in a Weekend Using AI as My Engineering Partner # product # webdev # gamedev # ai 2 reactions Comments 3 comments 5 min read Weekly update #19 Aby Noctel Aby Noctel Aby Noctel Follow Nov 27 '25 Weekly update #19 # devlog # gamedev Comments Add Comment 1 min read 🎮 Learning Game Development – Day 5 Basics of Color Theory Dinesh Dinesh Dinesh Follow Dec 31 '25 🎮 Learning Game Development – Day 5 Basics of Color Theory # gamedev # devplusplus # beginners # design Comments Add Comment 2 min read Engineering Adaptive Soundscapes: A Technical Guide to Generative Audio in Development Ngoc Dung Tran Ngoc Dung Tran Ngoc Dung Tran Follow Nov 27 '25 Engineering Adaptive Soundscapes: A Technical Guide to Generative Audio in Development # gamedev # gpt3 # ai # productivity Comments Add Comment 3 min read 🎮 Build Your Next Game Faster: Mastering Phaser, Three.js, and Babylon.js Okoye Ndidiamaka Okoye Ndidiamaka Okoye Ndidiamaka Follow Dec 1 '25 🎮 Build Your Next Game Faster: Mastering Phaser, Three.js, and Babylon.js # webgl # webdev # browsergame # gamedev 1 reaction Comments Add Comment 3 min read Reducing Assets Import times in Unity Attilio Carotenuto Attilio Carotenuto Attilio Carotenuto Follow Dec 30 '25 Reducing Assets Import times in Unity # unity3d # gamedev 1 reaction Comments Add Comment 6 min read Будуємо надійні інтеграції з ігровими провайдерами Maksim Maksim Maksim Follow Nov 30 '25 Будуємо надійні інтеграції з ігровими провайдерами # automation # gamedev # go Comments Add Comment 9 min read 🎮 Learning Game Development – Day 4 Dinesh Dinesh Dinesh Follow Dec 30 '25 🎮 Learning Game Development – Day 4 # webdev # cpp # gamedev # devops Comments 2 comments 2 min read Zombie Go Home - My Post-Halloween Game Jam Adventure SmirnovW SmirnovW SmirnovW Follow Nov 29 '25 Zombie Go Home - My Post-Halloween Game Jam Adventure # gamedev # pixelart # unity2d # ai 5 reactions Comments Add Comment 6 min read 🎮 Day 3 – Understanding GDD (Game Design Document) Dinesh Dinesh Dinesh Follow Dec 29 '25 🎮 Day 3 – Understanding GDD (Game Design Document) # design # documentation # opensource # gamedev Comments Add Comment 1 min read Build a REAL-TIME Multiplayer Game with Laravel, Livewire & Reverb! Bert De Swaef Bert De Swaef Bert De Swaef Follow Nov 25 '25 Build a REAL-TIME Multiplayer Game with Laravel, Livewire & Reverb! # laravel # php # tutorial # gamedev Comments Add Comment 1 min read Neovim x Unreal Engine: Zero-Config Debugging & A Dedicated Explorer 🚀 taku25 taku25 taku25 Follow Nov 24 '25 Neovim x Unreal Engine: Zero-Config Debugging & A Dedicated Explorer 🚀 # neovim # gamedev Comments Add Comment 3 min read 🎮 Day 2 – Foundation for Game Designers Dinesh Dinesh Dinesh Follow Dec 28 '25 🎮 Day 2 – Foundation for Game Designers # design # gamedev # computerscience # gamechallenge Comments Add Comment 1 min read From Scribble to Stroll: AI-Powered World Creation is Here by Arvind Sundararajan Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Nov 24 '25 From Scribble to Stroll: AI-Powered World Creation is Here by Arvind Sundararajan # gamedev # ai # proceduralgeneration # machinelearning Comments Add Comment 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 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:10 |
https://devblogs.microsoft.com/cosmosdb/ | Azure Cosmos DB 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 Azure Cosmos DB Blog Azure Cosmos DB Blog The latest news, updates and technical insights from the Azure Cosmos DB team Latest posts Jan 7, 2026 Post comments count 0 Post likes count 0 Public Preview: Cosmos DB Mirroring in Microsoft Fabric with Private Endpoints Mark Brown We are very excited to announce the public preview for private endpoint support for Azure Cosmos DB Mirroring with Microsoft Fabric mirroring. This feature allows you to preserve the enhanced network security on your data in Cosmos DB from virtual networks or private endpoints, allowing you to seamlessly replicate your operational data in Cosmos DB using Mirroring into your Fabric Workspaces. Configuring Mirroring with Private Endpoints The process for configuring Mirroring on your Cosmos DB accounts with private endpoints during our preview requires multiple steps. To see these steps in detail... Jan 7, 2026 Post comments count 0 Post likes count 0 Build AI Tooling in Go with the MCP SDK – Connecting AI Apps to Databases Abhishek Gupta A hands‑on walkthrough of building MCP servers that can plug AI applications into Azure Cosmos DB The Model Context Protocol (MCP) has established itself as the ubiquitous standard for connecting AI applications to external systems. Since its release, there have been implementations across various programming languages and frameworks, enabling developers to build solutions that expose data sources, tools, and workflows to AI applications. For Go developers, however, the journey to an official MCP SDK took longer (compared to other SDKs like Python and TypeScript). Discussions and design/implementation w... Jan 6, 2026 Post comments count 0 Post likes count 0 How Azure Cosmos DB Powers ARM’s Federated Future: Scaling for the Next Billion Requests Alex Dubinkov The Cloud at Hyperscale: ARM’s Mission and Growth Azure Resource Manager (ARM) is the backbone of Azure’s resource provisioning and management, orchestrating billions of daily requests from customers around the globe. ARM manages all resources for Azure: VMs, Storage, Databases, etc. As Azure’s reach expands and customer expectations rise, ARM’s architecture must not only keep pace—it must set the pace for cloud-scale reliability, agility, and innovation. In recent years, ARM has seen its request volume surge at an exponential rate, reaching unprecedented levels that continually redefine the boundaries of c... Dec 17, 2025 Post comments count 0 Post likes count 0 Unlock the power of distributed graph databases with JanusGraph and Azure Apache Cassandra Srikanth Sridhar Connecting the Dots: How Graph Databases Drive Innovation In today’s data-rich world, organizations face challenges that go beyond simple tables and rows. Whether it’s uncovering hidden relationships in social networks, detecting fraud, or powering recommendation engines, graph databases offer a unique way to model and analyze complex connections. JanusGraph, an open-source graph database, combined with Azure Managed Instance for Apache Cassandra, provides a scalable, secure, and flexible foundation for building graph-powered applications making it easier for teams to tackle problems that traditional database... Dec 11, 2025 Post comments count 1 Post likes count 3 Azure Cosmos DB vNext Emulator: Query and Observability Enhancements Abhishek Gupta The Azure Cosmos DB Linux-based vNext emulator (preview) is a local version of the Azure Cosmos DB service that runs as a Docker container on Linux, macOS, and Windows. It provides a cost-effective way to develop and test applications locally without requiring an Azure subscription or network connectivity. The latest release brings improvements in two key areas: Query Improvements This emulator release enables several query patterns that were previously unsupported. In this post, we'll focus on the following enhancements to query capabilities: Let's explore these with practical... Dec 10, 2025 Post comments count 0 Post likes count 0 Azure Cosmos DB : Becoming a Search-Native Database Hari, Samer, Harsha For years, “Database” and “Search systems" (think Elastic Search) lived in separate worlds. While both Databases and Search Systems operate in the same domain (storing, indexing and querying data), they prioritized different aspects. OLTP Databases prioritized Search Systems prioritized AI and Agents are accelerating the dissolution of the boundary between these two systems. AI solves real world problems in near-real-time that needs both of these systems. Using separate systems for these specializations not only leads to high overhead, but leads to sub-optimal relevanc... Dec 8, 2025 Post comments count 0 Post likes count 1 Long-term data retention up to 10 years: Announcing Private Preview of Azure Backup for Azure Cosmos DB Hans Wieser [MS] Azure Backup for Azure Cosmos DB is a new option that lets you securely protect and recover your Azure Cosmos DB data for compliance, audit, and ransomware protection scenarios. It leverages Azure Backup’s vault isolation and Azure Cosmos DB’s native backup streams to deliver scalable, long-term data protection that meets regulatory requirements. How does it work? During the private preview, you can configure backup schedules and retention policies at the Azure Cosmos DB account or collection level, stream backups to a vaulted, isolated Azure Backup Vault, and restore data to an empty Azure Cosmos DB account in... Dec 2, 2025 Post comments count 0 Post likes count 4 Tata Neu delivers personalized shopping experiences for millions of users with Azure DocumentDB Azure Cosmos DB Team With Azure DocumentDB, Tata Neu delivers seamless authentication for millions of users, accelerates credit card onboarding across partners, unifies loyalty programs for hundreds of millions of members, and powers AI-driven support experiences across more than 60 brands. This article is coauthored by Anurag Mathur, the VP and Head of Foundational Services at Tata Digital, and Bhaskar Chellappa, the VP and Head of TechOps at Tata Digital Introducing Tata Neu: Tata Digital's unified app Tata Neu is designed to deliver an extensive yet highly personalized shopping experience. The culmination of more than t... Nov 20, 2025 Post comments count 0 Post likes count 1 Announcing: Dynamic Data Masking for Azure Cosmos DB (Preview) Sudhanshu Khera Today marks a big step forward with the public preview of Dynamic Data Masking (DDM) for Azure Cosmos DB. This feature helps organizations protect sensitive data without requiring changes to application logic or database interactions. What is Dynamic Data Masking? Dynamic Data Masking (DDM) is a server-side, policy-driven security feature that automatically masks sensitive information for non-privileged users. When enabled, DDM ensures that only authorized users can view unmasked data, while others see masked or redacted values. The original data remains unchanged in the database, and masking occurs in real tim... Load more posts Popular topics Azure Cosmos DB for NoSQL Announcements Azure Cosmos DB for MongoDB Tips and Tricks News AI Azure Cosmos DB for Apache Cassandra Java SDK Query Security Relevant Links NoSQL SDKs .NET Java Node.js Python Database APIs NoSQL MongoDB vCore Resources Cosmos DB AI Samples Cosmos DB on GitHub Documentation Official Product Pages Azure Cosmos DB Pricing Top Bloggers Abhishek Gupta Principal Product Manager Jay Gordon Senior Program Manager Sajeetharan Sinnathurai Principal Program Manager James Codella Principal Product Manager Azure Cosmos DB Team Azure Cosmos DB Team Theo van Kraay Principal Program Manager Iria Osara Program Manager Richa Gaur Senior Program Manager Khelan Modi Product Manager Mark Brown Principal PM Manager Archive January 2026 December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 January 2020 December 2019 November 2019 October 2019 Follow this blog 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 Azure Cosmos DB Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://dev.to/new/devops | New Post - 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 Join the DEV Community DEV Community is a community of 3,676,891 amazing developers Continue with Apple Continue with Facebook Continue with Forem 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 DEV Community? 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 — 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:10 |
https://devblogs.microsoft.com/ifdef-windows/ | #ifdef Windows 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 #ifdef Windows #ifdef Windows A hub for Windows app development updates, tutorials and deep dives. Latest posts Jan 6, 2026 Post comments count 2 Post likes count 1 XAML Studio is now Open Sourced Michael Hawker XAML Studio Open Sourced It's been over 8 years since what became XAML Studio was started. And from nearly the beginning, it was always envisioned as an open-source project… So, it's with great pleasure that I'm happy to announce that day has finally come! XAML Studio is now an open-source project! 🎉 A big thanks to the .NET Foundation for helping to make this journey happen and allowing us to become a new seed project within their organization. If you want to learn more about the history of XAML Studio as a project, you can actually read all about that on our GitHub discussion post about the... Sep 25, 2025 Post comments count 2 Post likes count 3 Announcing WinUI Gallery 2.7 Niels, Marcel Hey WinUI developers! WinUI Gallery 2.7 is here and it’s packed with fresh updates. If you’re new around here, WinUI Gallery is the go-to app for exploring WinUI controls, samples, design guidance, and handy tools — all in one place. This release brings a mix of brand-new features, upgraded samples, and plenty of community-driven improvements. Let's dive in: Sample history & favorites No more losing track of what you were exploring! The home screen now has history and favorites tabs: Thanks to @Zakariathr22 for #1875 New & updated samples TitleBar Updated to use th... Apr 2, 2025 Post comments count 1 Post likes count 3 Announcing Windows Community Toolkit v8.2 Michael Hawker Announcing Windows Community Toolkit v8.2 We're happy to announce that version 8.2 is available today! It's an incremental update which contains a variety of improvements, made possible again with the support and contributions of our developer community. 🎉 If you're not familiar with the Windows Community Toolkit, see below here! Or download our Sample Gallery from the Microsoft Store to start exploring what it has available for WinUI developers. At a Glance 🔍 Important Changes Dependencies/TFM The Toolkit's dependencies have been u... Sep 11, 2024 Post comments count 16 Post likes count 12 Modernize your UWP app with preview UWP support for .NET 9 and Native AOT Sergio Pedri We’re introducing the initial preview UWP (Universal Windows Platform) support for .NET 9, providing a path for existing UWP developers to modernize their apps with the latest .NET and Native AOT. Are you a UWP app developer considering migrating to Windows App SDK and WinUI 3? Or wanting to leverage the latest releases of .NET and Native AOT? Or perhaps you’ve been struggling with referencing new versions of your favorite libraries, because they only include support for .NET 6 and above? Well, look no further! This preview UWP support for .NET 9 provides a path for UWP apps to modernize using... Aug 22, 2024 Post comments count 4 Post likes count 7 Announcing Windows Community Toolkit v8.1 Michael Hawker Announcing Windows Community Toolkit v8.1 We're happy to announce that version 8.1 is available today! It's a minor update which contains a variety of new features and improvements, made possible again with the support and contributions of our developer community. 🎉 If you're not familiar with the Windows Community Toolkit, see below here! Or download our Sample Gallery from the Microsoft Store to start exploring what it has available for WinUI developers. At a Glance 🔍 Important Changes Dependencies/TFM The Toolkit's dependencies h... Sep 7, 2023 Post comments count 6 Post likes count 4 Announcing Windows Community Toolkit v8.0 Michael Hawker Announcing Windows Community Toolkit v8.0 🎉🎉🎉 It's here! The Windows Community Toolkit is back with a huge update with an array of improvements and features. We're happy to announce that version 8.0 is available today! Made possible again with the support and contributions of our developer community. 🎉 If you're new to the Toolkit, the Windows Community Toolkit is a collection of controls for WinUI 2, WinUI 3, and Uno Platform developers! It simplifies and demonstrates common developer tasks building experiences for Windows 10 and Windows 11 with .NET. The Toolkit is part of the .NET Foundation. You can downl... Aug 23, 2023 Post comments count 1 Post likes count 4 Windows Community Toolkit 8.0 Pre-release Michael Hawker The Windows Community Toolkit 8.0 Pre-release We're thrilled to announce the first official pre-release packages for the Windows Community Toolkit 8.0 have been released to NuGet.org! 🎉🎉🎉 This blog is going to provide a brief overview of how to get started using these preview packages and how to provide feedback. This has been a culmination of nearly two years of work in understanding how we can better maintain the Toolkit, make it easier to contribute to, target multiple platforms with a single codebase, and still maintain a high quality bar! If you're still new to the Toolkits, you can find an introd... Jun 27, 2023 Post comments count 5 Post likes count 3 Microsoft Store Open Source Series — AppServices library Sergio Pedri Looking for ways to empower your UWP app beyond what you thought was possible? Today, we're going to show you how to leverage the AppServices library we built for the Microsoft Store to unlock the power of Win32 APIs. Plus, we have a new source generator which makes using app services a piece of cake! 🍰 This is part of our new "Microsoft Store Open Source Series" of blog posts, expanding on our prior posts about the new Microsoft Store for Windows — reducing binary size with trimming, and migrating from C++/WinRT to C#. The Microsoft Store Open Source Series In our previous blog posts, we used the Micros... Jun 15, 2023 Post comments count 0 Post likes count 4 Introducing the Microsoft Store channel on Discord Sergio Pedri This post was co-authored with Priyanka Gupta Kankane ( on Discord), Senior Program Manager in the Microsoft Store services team. We are excited to announce the launch of the channel on Discord, a dedicated space where you can connect, engage, and share feedback on everything related to the Microsoft Store app, website, Partner Center, MSIX packaging, and AppInstaller. It's time to get your questions answered and join the conversation! 🎉 This channel is part of the UWP Community Discord server, a place that connects Windows App users, creators and engineers from around the world. If you don't have Disco... Load more posts Learn more Get started with Windows app development. Get started Popular topics ifdef-Windows Get started Free tutorials, videos, courses, and more for beginner through advanced .NET developers. Top Bloggers Michael Hawker Senior Software Engineer Niels Laute Senior Product Manager Relevant Links Archive January 2026 September 2025 April 2025 September 2024 August 2024 September 2023 August 2023 June 2023 April 2023 November 2022 July 2022 June 2022 May 2022 April 2022 January 2022 December 2021 October 2021 August 2021 July 2021 May 2021 April 2021 March 2021 February 2021 January 2021 October 2020 Follow this blog 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 #ifdef Windows Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://devblogs.microsoft.com/aspire/ | Aspire 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 Aspire Blog Introducing aspire.dev! Check out our new website for all Aspire content aspire.dev Aspire Blog Aspire makes modern app development and deployment simple and consistent. Featured posts Dec 17, 2025 Post comments count 1 Post likes count 5 Aspire 13.1 – Our holiday gift to you David Fowler Aspire 13.1 is here with CLI-based MCP for AI agents, dashboard improvements, Azure updates, and TLS termination support. Aspire Update AI Latest posts Jan 12, 2026 Post comments count 4 Post likes count 1 Aspire for JavaScript developers David Pine Aspire 13 brings comprehensive JavaScript and TypeScript support to cloud-native development, enabling you to orchestrate Node.js applications, Vite frontends, and JavaScript services alongside your .NET projects with unified tooling and seamless integration. Jan 8, 2026 Post comments count 0 Post likes count 2 Scaling AI Agents with Aspire: The Missing Isolation Layer for Parallel Development tamir dresher Scaling AI agent development with Aspire and Git worktrees by solving port conflicts through automatic port allocation scripts and an MCP proxy layer that enables parallel AI agents to orchestrate and debug complete distributed systems simultaneously. Dec 17, 2025 Post comments count 1 Post likes count 5 Aspire 13.1 – Our holiday gift to you David Fowler Aspire 13.1 is here with CLI-based MCP for AI agents, dashboard improvements, Azure updates, and TLS termination support. Dec 11, 2025 Post comments count 1 Post likes count 2 Aspire Integrations, Batteries Included Sebastien Ros Aspire provides a *batteries included* approach through **integrations** Dec 8, 2025 Post comments count 4 Post likes count 0 Python is First Class in Aspire 13 Eric Erhardt Aspire 13 introduces first-class Python support with dedicated APIs for hosting Python applications, modules, and ASGI web apps alongside your .NET services. Dec 3, 2025 Post comments count 1 Post likes count 2 Pipe dreams to pipeline realities: an Aspire Pipelines story Safia Abdalla A deep dive into the evolution of Aspire Pipelines from basic callbacks in version 9.4 to the sophisticated pipeline execution model in Aspire 13, covering deployment orchestration, concurrency, and state management. Nov 25, 2025 Post comments count 0 Post likes count 2 Celebrating Community Contributions in Aspire 13 Jason Chlus Celebrates Aspire 13.0 community contributions, highlighting key PRs that improved App Service, Kusto workflows, dashboards, and cross-language support. Nov 20, 2025 Post comments count 0 Post likes count 0 Migrating from Microsoft Learn to aspire.dev David Pine Learn how we migrated all Aspire docs from Learn to the new website aspire.dev learn Nov 17, 2025 Post comments count 4 Post likes count 5 Aspire Multi-Repo Microservices – Windows 365 Integration Journey Jeff Liu How Windows 365 extends Aspire to streamline multi-repo microservice development using microservice resources, emulators, automated seed data, and cloud-based end-to-end validation. Load more posts Your stack, streamlined with Aspire. Aspire is a code-first, extensible, observable tool to develop and deploy modern cloud apps. Get Aspire Popular topics Aspire Deep Dives Integrations Aspire Update AI Contributors Relevant Links Discord Roadmap Aspire Samples Feedback Reddit Bluesky Documentation Archive January 2026 December 2025 November 2025 October 2025 Follow this blog 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 Aspire Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://devblogs.microsoft.com/dotnet/ | .NET 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 .NET Blog .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now .NET Blog Free. Cross-platform. Open source. A developer platform for building all your apps. Featured posts Nov 11, 2025 Post comments count 15 Post likes count 47 Announcing .NET 10 .NET Team Announcing the release of .NET 10, the most productive, modern, secure, intelligent, and performant release of .NET yet. With updates across ASP.NET Core, C# 14... .NET ASP.NET Core C# Latest posts Jan 12, 2026 Post comments count 0 Post likes count 1 How to Build Android Widgets with .NET MAUI Toine de Boer Build interactive Android widgets with .NET MAUI using RemoteViews, intents, and shared data. Jan 12, 2026 Post comments count 0 Post likes count 1 How We Synchronize .NET’s Virtual Monorepo Přemek Vysoký A deep dive into the technical challenges of keeping .NET's product repositories synchronized with our Virtual Monolithic Repository using a custom two-way algorithm. Jan 7, 2026 Post comments count 1 Post likes count 0 Secure and Intelligent: Queryable Encryption and Vector Search in MongoDB EF Core Provider Rishit, Luce The MongoDB EF Core provider now supports Queryable Encryption and Vector Search. Learn how to encrypt sensitive data while querying it and build AI-powered semantic search applications directly with EF Core. Jan 5, 2026 Post comments count 10 Post likes count 11 Generative AI with Large Language Models in C# in 2026 Jeremy Likness A practical introduction to modern AI for .NET developers. Dec 31, 2025 Post comments count 0 Post likes count 1 Top .NET Videos & Live Streams of 2025 Jon Galloway Let's take a look back at the amazing .NET videos, events, and live streams from 2025! Dec 30, 2025 Post comments count 0 Post likes count 2 Top .NET Blog Posts of 2025 Jon Galloway Let's look back at the most-read .NET blog posts published in 2025, from .NET 10 to AI, performance, and developer tooling. Dec 16, 2025 Post comments count 11 Post likes count 0 Microsoft.Testing.Platform Now Fully Supported in Azure DevOps Youssef Fahmy Azure DevOps enhanced support for Microsoft.Testing.Platform, from running tests to publishing results! Dec 15, 2025 Post comments count 3 Post likes count 5 How to Build iOS Widgets with .NET MAUI Toine de Boer Build professional iOS widgets with .NET MAUI, from static displays to interactive widgets. Dec 9, 2025 Post comments count 2 Post likes count 0 .NET and .NET Framework December 2025 servicing releases updates .NET, Tara A recap of the latest servicing updates for .NET and .NET Framework for December 2025. Load more posts Learn C# & .NET Free tutorials, videos, courses, and more for beginner through advanced .NET developers. Get Started Today Popular topics .NET Aspire .NET MAUI AI ASP.NET Core Blazor C# Developer Stories NuGet Azure .NET Feature Blogs .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework Machine Learning NuGet Languages C# F# Visual Basic Popular Topics .NET Internals .NET Servicing Containers Developer Stories Performance More .NET Download .NET .NET Community .NET Documentation .NET API Browser Learn .NET Learning Hub Architecture Guidance Beginner Videos Customer Showcase Follow Twitter Mastodon YouTube Facebook LinkedIn GitHub Bluesky Archive January 2026 December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 March 2015 February 2015 January 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 September 2013 August 2013 July 2013 June 2013 May 2013 April 2013 March 2013 February 2013 January 2013 December 2012 November 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 December 2011 November 2011 October 2011 September 2011 August 2011 June 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 August 2010 July 2010 June 2010 May 2010 April 2010 March 2010 February 2010 January 2010 December 2009 November 2009 October 2009 September 2009 August 2009 July 2009 June 2009 May 2009 April 2009 March 2009 February 2009 January 2009 December 2008 November 2008 October 2008 September 2008 August 2008 July 2008 June 2008 May 2008 April 2008 March 2008 February 2008 January 2008 December 2007 November 2007 October 2007 September 2007 August 2007 July 2007 June 2007 May 2007 April 2007 March 2007 February 2007 January 2007 December 2006 November 2006 October 2006 September 2006 August 2006 July 2006 June 2006 May 2006 April 2006 March 2006 February 2006 January 2006 October 2005 July 2005 May 2005 December 2004 November 2004 September 2004 June 2004 Follow this blog 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 .NET Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://gg.forem.com/subforems#main-content | Subforems - 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 Subforems DEV Community A space to discuss and keep up software development and manage your software career Follow Future News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Follow Open Forem A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Follow Gamers Forem An inclusive community for gaming enthusiasts Follow Music Forem From composing and gigging to gear, hot music takes, and everything in between. Follow Vibe Coding Forem Discussing AI software development, and showing off what we're building. Follow Popcorn Movies and TV Movie and TV enthusiasm, criticism and everything in-between. Follow DUMB DEV Community Memes and software development shitposting Follow Design Community Web design, graphic design and everything in-between Follow Security Forem Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Follow Golf Forem A community of golfers and golfing enthusiasts Follow Crypto Forem A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Follow Parenting 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. Follow Forem Core Discussing the core forem open source software project — features, bugs, performance, self-hosting. Follow Maker Forem A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. Follow HMPL.js Forem For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Follow 💎 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:10 |
https://devblogs.microsoft.com/microsoft365dev/ | Microsoft 365 Developer 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 Microsoft 365 Developer Blog Microsoft 365 Developer Blog A developer platform for building collaborative apps for hybrid work Featured posts Nov 18, 2025 Post comments count 0 Post likes count 8 From Innovation to Enterprise Trust with Microsoft Agent 365 Nirav Shah Agent 365 serves as the control plane for agents, providing organizations with a centralized location to manage agent identity, policies, observability, and lif... Microsoft 365 Developer Microsoft 365 Copilot Latest posts Dec 23, 2025 Post comments count 0 Post likes count 1 SharePoint Framework (SPFx) roadmap update – December 2025 Vesa Juvonen SPFx is powering the future of Microsoft 365. From AI-driven portals to seamless integrations across SharePoint, Teams and Viva, SPFx is driving innovation at scale. This monthly blog series kicks off our journey into the next evolution - transparent, community-driven, and built for the AI era. Let’s shape what’s next, together. Dec 16, 2025 Post comments count 0 Post likes count 1 Unlock your email potential with Schema.org Karishma S Email is a key part of how people get things done, whether it’s booking a reservation, confirming a package delivery, or managing a cab reservation. But as inboxes become increasingly cluttered, important transactional information often gets buried. Users are forced to open multiple emails, search through text, and manually look for key details such as reservation times, delivery status, or order confirmations. Let's think about business travel, When users are flying out for meetings, training, or conferences, they shouldn’t have to dig through a crowded inbox to find flight details, hotel confirmations, or car... Dec 15, 2025 Post comments count 2 Post likes count 3 Build declarative agents for Microsoft 365 Copilot with MCP Rishabh Agrawal With introduction of MCP support, it’s now much easier for developers to integrate their business workflows, SaaS, and LoB systems into Copilot via declarative agent. Dec 10, 2025 Post comments count 4 Post likes count 4 General Availability of SharePoint Framework 1.22 – A Major Refresh of the Build & Tooling Experience Vesa Juvonen We are excited to announce general availability for the SharePoint Framework 1.22. This time focus is primarily on updating the build toolchain and to address npm audit issues. Dec 4, 2025 Post comments count 0 Post likes count 2 Dev Proxy v2.0 with improved AI telemetry, and small breaking changes Waldek, Garry Introducing Dev Proxy v2.0 with improved AI telemetry, and small breaking changes. Nov 25, 2025 Post comments count 0 Post likes count 5 Introducing TypeSpec for Microsoft 365 Copilot – Build declarative agents faster with more confidence Sébastien Levert We’re excited to announce that TypeSpec for Microsoft 365 Copilot is now generally available! This milestone marks the first stable release of the domain-specific language (DSL) designed to streamline how developers build and extend Microsoft 365 Copilot. Whether you’re creating an agent to help colleagues find documents, or connecting your service as an API plugin, TypeSpec for Microsoft 365 Copilot makes the process simpler, safer, and more productive. A developer-centric experience – strong typing, IntelliSense and productivity One of the biggest pain points for developers building Copilot extensibility so... Nov 25, 2025 Post comments count 4 Post likes count 1 SharePoint Framework (SPFx) roadmap update – November 2025 Vesa Juvonen SPFx is powering the future of Microsoft 365. From AI-driven portals to seamless integrations across SharePoint, Teams and Viva, SPFx is driving innovation at scale. This monthly blog series kicks off our journey into the next evolution - transparent, community-driven, and built for the AI era. Let’s shape what’s next, together. Nov 24, 2025 Post comments count 3 Post likes count 8 SharePoint Site Creation in Microsoft Graph SharePoint team The SharePoint team is excited to (finally) bring Site Collection creation to Graph! Starting in Microsoft Graph beta you can now create new site collections! Nov 21, 2025 Post comments count 0 Post likes count 6 Ignite 2025: A Developer’s Guide to Building Agents for Microsoft 365 Daniel Carrasco Ignite 2025 brought many innovations for developers building agents for Microsoft 365. From new capabilities in Declarative Agents and Custom Engine Agents to the introduction of Microsoft Agent 365, the platform now enables organizations to architect intelligent solutions that are secure, governable, and ready for enterprise scale. Whether you’re creating your first agent, adapting existing frameworks, or navigating a crowded AI landscape, Microsoft 365 empowers you to build agents that integrate deeply with enterprise systems, leverage the latest AI stacks, and meet the highest standards for security and gov... Load more posts Popular topics Microsoft Graph Microsoft Teams Office Add-ins Microsoft 365 Developer SharePoint Framework Microsoft identity platform Microsoft Viva SharePoint Adaptive Cards Power Platform Explore Microsoft 365 Platform Learning Paths Learn new skills to develop on the Microsoft 365 platform. Explore our learning paths. Get started -> Join the Microsoft 365 Developer Program today! Get a free sandbox, tools, and other resources you need to build solutions for the Microsoft 365 platform. Join now -> Archive December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 April 2015 July 2011 May 2010 March 2010 February 2010 June 2006 Follow this blog 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 Microsoft 365 Developer Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://devblogs.microsoft.com/dotnet/category/ai/ | AI - Category | .NET 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 .NET Blog Category: AI .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now Showing category results for AI Jan 5, 2026 Post comments count 10 Post likes count 11 Generative AI with Large Language Models in C# in 2026 Jeremy Likness A practical introduction to modern AI for .NET developers. .NET C# AI Dec 30, 2025 Post comments count 0 Post likes count 2 Top .NET Blog Posts of 2025 Jon Galloway Let's look back at the most-read .NET blog posts published in 2025, from .NET 10 to AI, performance, and developer tooling. .NET C# Visual Studio Dec 8, 2025 Post comments count 4 Post likes count 5 Microsoft Learn MCP Server Elevates Development Wendy, Eric Explore how the Learn MCP server enhances the developer experience with Copilot, showcase practical examples, and provide straightforward integration instructions for Visual Studio, Visual Studio Code, the Copilot Command Line Interface, and the Copilot Coding Agent .NET C# Visual Studio Dec 4, 2025 Post comments count 4 Post likes count 2 .NET Conf 2025 Recap – Celebrating .NET 10, Visual Studio 2026, AI, Community, & More .NET Team .NET Conf 2025 is over, but you can catch up with all the announcements and fun with video recordings, slides, demos, and more. .NET ASP.NET Core C# Dec 3, 2025 Post comments count 0 Post likes count 4 Introducing Data Ingestion Building Blocks (Preview) Luis, Adam Announcing the preview of open, modular data ingestion building blocks in .NET, empowering developers to build scalable AI pipelines with seamless integration, extensibility, and easy getting started experiences across the .NET ecosystem. .NET AI Nov 26, 2025 Post comments count 0 Post likes count 3 .NET Day on Agentic Modernization Coming Soon Matt Soucoup Join us live on December 9 to explore the newest, most practical ways to modernize your .NET apps with Azure, AI, and powerful agentic tooling. .NET AI Azure Nov 19, 2025 Post comments count 4 Post likes count 7 Supercharge Your Test Coverage with GitHub Copilot Testing for .NET McKenna Barlow Boost your testing workflow with GitHub Copilot testing for .NET, available now in Visual Studio. Automatically generate, build, and run high-quality unit tests for files, projects, or entire solutions. .NET Visual Studio AI Nov 18, 2025 Post comments count 17 Post likes count 5 A step-by-step guide to modernizing .NET applications with GitHub Copilot agent mode Mika Dumont Learn how Visual Studio 2026 and GitHub Copilot app modernization upgrade .NET versions and frameworks, fix build issues, and migrate apps to Azure with less manual effort .NET Visual Studio AI Nov 11, 2025 Post comments count 15 Post likes count 47 Announcing .NET 10 .NET Team Announcing the release of .NET 10, the most productive, modern, secure, intelligent, and performant release of .NET yet. With updates across ASP.NET Core, C# 14, .NET MAUI, Aspire, and so much more. .NET ASP.NET Core C# Nov 4, 2025 Post comments count 0 Post likes count 8 Get Ready for .NET Conf 2025! Jon Galloway The biggest .NET event of the year is just one week away! Join us November 11-13 for .NET 10 and Visual Studio 2026, plus a Student Zone on November 14th. .NET ASP.NET ASP.NET Core Posts pagination 1 2 … 9 Load more posts Learn C# & .NET Free tutorials, videos, courses, and more for beginner through advanced .NET developers. Get Started Today Popular topics .NET Aspire .NET MAUI AI ASP.NET Core Blazor C# Developer Stories NuGet Azure .NET Feature Blogs .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework Machine Learning NuGet Languages C# F# Visual Basic Popular Topics .NET Internals .NET Servicing Containers Developer Stories Performance More .NET Download .NET .NET Community .NET Documentation .NET API Browser Learn .NET Learning Hub Architecture Guidance Beginner Videos Customer Showcase Follow Twitter Mastodon YouTube Facebook LinkedIn GitHub Bluesky Archive January 2026 December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 March 2015 February 2015 January 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 September 2013 August 2013 July 2013 June 2013 May 2013 April 2013 March 2013 February 2013 January 2013 December 2012 November 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 December 2011 November 2011 October 2011 September 2011 August 2011 June 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 August 2010 July 2010 June 2010 May 2010 April 2010 March 2010 February 2010 January 2010 December 2009 November 2009 October 2009 September 2009 August 2009 July 2009 June 2009 May 2009 April 2009 March 2009 February 2009 January 2009 December 2008 November 2008 October 2008 September 2008 August 2008 July 2008 June 2008 May 2008 April 2008 March 2008 February 2008 January 2008 December 2007 November 2007 October 2007 September 2007 August 2007 July 2007 June 2007 May 2007 April 2007 March 2007 February 2007 January 2007 December 2006 November 2006 October 2006 September 2006 August 2006 July 2006 June 2006 May 2006 April 2006 March 2006 February 2006 January 2006 October 2005 July 2005 May 2005 December 2004 November 2004 September 2004 June 2004 Follow this blog 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 .NET Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:10 |
https://unjs.io/packages/ofetch | ofetch · Packages · UnJS UnJS Packages Blog Relations 49.2k ofetch A better fetch API. Works on node, browser and workers. A better fetch API. Works on node, browser, and workers. 🚀 Quick Start Install: # npm npm i ofetch # yarn yarn add ofetch Import: // ESM / Typescript import { ofetch } from "ofetch" ; // CommonJS const { ofetch } = require ( "ofetch" ); ✔️ Works with Node.js We use conditional exports to detect Node.js and automatically use unjs/node-fetch-native . If globalThis.fetch is available, will be used instead. To leverage Node.js 17.5.0 experimental native fetch API use --experimental-fetch flag . keepAlive support By setting the FETCH_KEEP_ALIVE environment variable to true , an HTTP/HTTPS agent will be registered that keeps sockets around even when there are no outstanding requests, so they can be used for future requests without having to re-establish a TCP connection. Note: This option can potentially introduce memory leaks. Please check node-fetch/node-fetch#1325 . ✔️ Parsing Response ofetch will smartly parse JSON and native values using destr , falling back to the text if it fails to parse. const { users } = await ofetch ( "/api/users" ); For binary content types, ofetch will instead return a Blob object. You can optionally provide a different parser than destr , or specify blob , arrayBuffer , or text to force parsing the body with the respective FetchResponse method. // Use JSON.parse await ofetch ( "/movie?lang=en" , { parseResponse: JSON .parse }); // Return text as is await ofetch ( "/movie?lang=en" , { parseResponse : ( txt ) => txt }); // Get the blob version of the response await ofetch ( "/api/generate-image" , { responseType: "blob" }); ✔️ JSON Body If an object or a class with a .toJSON() method is passed to the body option, ofetch automatically stringifies it. ofetch utilizes JSON.stringify() to convert the passed object. Classes without a .toJSON() method have to be converted into a string value in advance before being passed to the body option. For PUT , PATCH , and POST request methods, when a string or object body is set, ofetch adds the default content-type: "application/json" and accept: "application/json" headers (which you can always override). Additionally, ofetch supports binary responses with Buffer , ReadableStream , Stream , and compatible body types . ofetch will automatically set the duplex: "half" option for streaming support! Example: const { users } = await ofetch ( "/api/users" , { method: "POST" , body: { some: "json" }, }); ✔️ Handling Errors ofetch Automatically throws errors when response.ok is false with a friendly error message and compact stack (hiding internals). A parsed error body is available with error.data . You may also use FetchError type. await ofetch ( "https://google.com/404" ); // FetchError: [GET] "https://google/404": 404 Not Found // at async main (/project/playground.ts:4:3) To catch error response: await ofetch ( "/url" ). catch (( err ) => err.data); To bypass status error catching you can set ignoreResponseError option: await ofetch ( "/url" , { ignoreResponseError: true }); ✔️ Auto Retry ofetch Automatically retries the request if an error happens and if the response status code is included in retryStatusCodes list: Retry status codes: 408 - Request Timeout 409 - Conflict 425 - Too Early 429 - Too Many Requests 500 - Internal Server Error 502 - Bad Gateway 503 - Service Unavailable 504 - Gateway Timeout You can specify the amount of retry and delay between them using retry and retryDelay options and also pass a custom array of codes using retryStatusCodes option. The default for retry is 1 retry, except for POST , PUT , PATCH , and DELETE methods where ofetch does not retry by default to avoid introducing side effects. If you set a custom value for retry it will always retry for all requests. The default for retryDelay is 0 ms. await ofetch ( "http://google.com/404" , { retry: 3 , retryDelay: 500 , // ms }); ✔️ Timeout You can specify timeout in milliseconds to automatically abort a request after a timeout (default is disabled). await ofetch ( "http://google.com/404" , { timeout: 3000 , // Timeout after 3 seconds }); ✔️ Type Friendly The response can be type assisted: const article = await ofetch < Article >( `/api/article/${ id }` ); // Auto complete working with article.id ✔️ Adding baseURL By using baseURL option, ofetch prepends it for trailing/leading slashes and query search params for baseURL using ufo : await ofetch ( "/config" , { baseURL }); ✔️ Adding Query Search Params By using query option (or params as alias), ofetch adds query search params to the URL by preserving the query in the request itself using ufo : await ofetch ( "/movie?lang=en" , { query: { id: 123 } }); ✔️ Interceptors Providing async interceptors to hook into lifecycle events of ofetch call is possible. You might want to use ofetch.create to set shared interceptors. onRequest({ request, options }) onRequest is called as soon as ofetch is called, allowing you to modify options or do simple logging. await ofetch ( "/api" , { async onRequest ({ request , options }) { // Log request console. log ( "[fetch request]" , request, options); // Add `?t=1640125211170` to query search params options.query = options.query || {}; options.query.t = new Date (); }, }); onRequestError({ request, options, error }) onRequestError will be called when the fetch request fails. await ofetch ( "/api" , { async onRequestError ({ request , options , error }) { // Log error console. log ( "[fetch request error]" , request, error); }, }); onResponse({ request, options, response }) onResponse will be called after fetch call and parsing body. await ofetch ( "/api" , { async onResponse ({ request , response , options }) { // Log response console. log ( "[fetch response]" , request, response.status, response.body); }, }); onResponseError({ request, options, response }) onResponseError is the same as onResponse but will be called when fetch happens but response.ok is not true . await ofetch ( "/api" , { async onResponseError ({ request , response , options }) { // Log error console. log ( "[fetch response error]" , request, response.status, response.body ); }, }); ✔️ Create fetch with default options This utility is useful if you need to use common options across several fetch calls. Note: Defaults will be cloned at one level and inherited. Be careful about nested options like headers . const apiFetch = ofetch. create ({ baseURL: "/api" }); apiFetch ( "/test" ); // Same as ofetch('/test', { baseURL: '/api' }) 💡 Adding headers By using headers option, ofetch adds extra headers in addition to the request default headers: await ofetch ( "/movies" , { headers: { Accept: "application/json" , "Cache-Control" : "no-cache" , }, }); 💡 Adding HTTP(S) Agent If you need use HTTP(S) Agent, can add agent option with https-proxy-agent (for Node.js only): import { HttpsProxyAgent } from "https-proxy-agent" ; await ofetch ( "/api" , { agent: new HttpsProxyAgent ( "http://example.com" ), }); 🍣 Access to Raw Response If you need to access raw response (for headers, etc), can use ofetch.raw : const response = await ofetch. raw ( "/sushi" ); // response._data // response.headers // ... Native fetch As a shortcut, you can use ofetch.native that provides native fetch API const json = await ofetch. native ( "/sushi" ). then (( r ) => r. json ()); 📦 Bundler Notes All targets are exported with Module and CommonJS format and named exports No export is transpiled for the sake of modern syntax You probably need to transpile ofetch , destr , and ufo packages with Babel for ES5 support You need to polyfill fetch global for supporting legacy browsers like using unfetch ❓ FAQ Why export is called ofetch instead of fetch ? Using the same name of fetch can be confusing since API is different but still, it is a fetch so using the closest possible alternative. You can, however, import { fetch } from ofetch which is auto-polyfill for Node.js and using native otherwise. Why not have default export? Default exports are always risky to be mixed with CommonJS exports. This also guarantees we can introduce more utils without breaking the package and also encourage using ofetch name. Why not transpiled? By transpiling libraries, we push the web backward with legacy code which is unneeded for most of the users. If you need to support legacy users, you can optionally transpile the library in your build pipeline. License MIT. Made with 💖 Documentation Stars 3.1k Monthly Downloads 3.5m Latest Version v1.3.3 GitHub GitHub View source Examples Report an issue Resources Resources Explore Relations Discover on npm UnJS Unlock the potential of your web development journey with UnJS - where innovation meets simplicity, and possibilities become limitless. Community Contribute Discussions Contact us Content Search UnJS Website Design Kit GitHub © 2023 UnJS Team . Website is licensed under CC BY-NC-SA 4.0 | 2026-01-13T08:48:10 |
https://dev.to/t/gamedev/page/2 | Game Dev Page 2 - 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 Game Dev Follow Hide 👾 👾 👾 Create Post submission guidelines Write! Just keep it clean and civil! about #gamedev From GameMaker Studio to Unity, RPG Maker to 6502 assembly - this is your stop for all things related to game development! However, please make sure that your post is about DEVELOPING A GAME, or TOOLS THAT DEVELOPERS CAN USE, but please make sure they are tools MADE for developers, not just tools like twitter. That can go in topics like #socialmedia. Older #gamedev posts 1 2 3 4 5 6 7 8 9 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu I spent my weekends building a no-nonsense hub for browser games and AI tools. no login, just fun. 굳댕댕 굳댕댕 굳댕댕 Follow Jan 8 I spent my weekends building a no-nonsense hub for browser games and AI tools. no login, just fun. # discuss # gamedev # java # showdev 1 reaction Comments 1 comment 1 min read M7 Week 1: Deterministic AI, Practical Pathfinding, and a Real 3D Audio Pipe (Bad Cat: Void Frontier) p3nGu1nZz p3nGu1nZz p3nGu1nZz Follow Jan 5 M7 Week 1: Deterministic AI, Practical Pathfinding, and a Real 3D Audio Pipe (Bad Cat: Void Frontier) # gamedev # programming # cpp # development Comments Add Comment 7 min read Learning Landscape Heightmaps and Sculpting Tools in Unreal Engine (Day 12) Dinesh Dinesh Dinesh Follow Jan 7 Learning Landscape Heightmaps and Sculpting Tools in Unreal Engine (Day 12) # gamedev # unrealengine # beginners # learning Comments Add Comment 2 min read Building a Social Deduction Game with a State Machine (7 Games in 7 Weeks – Week 4) varun chaaras varun chaaras varun chaaras Follow Jan 5 Building a Social Deduction Game with a State Machine (7 Games in 7 Weeks – Week 4) # programming # gamedev # ai # javascript Comments Add Comment 2 min read NVIDIA Unveils DLSS 4.5, G-SYNC Pulsar, and RTX Upgrades for Gaming and AI Toolsat CES 2026 Saiki Sarkar Saiki Sarkar Saiki Sarkar Follow Jan 6 NVIDIA Unveils DLSS 4.5, G-SYNC Pulsar, and RTX Upgrades for Gaming and AI Toolsat CES 2026 # news # ai # deeplearning # gamedev Comments Add Comment 2 min read Enclave Games Monthly Report: December 2025 Andrzej Mazur Andrzej Mazur Andrzej Mazur Follow Jan 6 Enclave Games Monthly Report: December 2025 # gamedev # surveys # monthlyreport # enclavegames Comments Add Comment 2 min read I Built a Road Safety Snakes & Ladders Game in Class 11… and Then Let It Rot for 2 Years 💀🐍🎲 Ishant Singh Ishant Singh Ishant Singh Follow Jan 5 I Built a Road Safety Snakes & Ladders Game in Class 11… and Then Let It Rot for 2 Years 💀🐍🎲 # showdev # beginners # gamedev # python 1 reaction Comments Add Comment 2 min read Why I Development GamHub: A Simple Way to Discover Playable Browser & AI Games GamHub GamHub GamHub Follow Jan 10 Why I Development GamHub: A Simple Way to Discover Playable Browser & AI Games # showdev # ai # gamedev 1 reaction Comments 1 comment 2 min read # 🏚️ Behind the Doors of *Houses: Hidden Spirits* – The Sanity Mechanic 😱 Jaxson Jones Jaxson Jones Jaxson Jones Follow Jan 4 # 🏚️ Behind the Doors of *Houses: Hidden Spirits* – The Sanity Mechanic 😱 # showdev # devjournal # gamedev Comments Add Comment 1 min read Provably Fair Gaming: Building Cryptographic RNG Verification with VAP-GAM VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) VeritasChain Standards Organization (VSO) Follow Jan 3 Provably Fair Gaming: Building Cryptographic RNG Verification with VAP-GAM # gamedev # python # typescript Comments Add Comment 13 min read Game Dev Digest — Issue #312 - New Year, New Ways, and more Game Dev Digest - The Newsletter On Unity Game Dev Game Dev Digest - The Newsletter On Unity Game Dev Game Dev Digest - The Newsletter On Unity Game Dev Follow Jan 2 Game Dev Digest — Issue #312 - New Year, New Ways, and more # news # gamedev # unity3d # csharp Comments Add Comment 8 min read Goofy Platformer 0.3: Available soon? LoganGamesDaily! LoganGamesDaily! LoganGamesDaily! Follow Jan 3 Goofy Platformer 0.3: Available soon? # gamedev # programming # unity3d Comments Add Comment 1 min read tkinter 기반 슈팅 게임 bug_catcher (1학년 2학기 전공 과제) dbsans dbsans dbsans Follow Jan 2 tkinter 기반 슈팅 게임 bug_catcher (1학년 2학기 전공 과제) # python # gamedev Comments Add Comment 1 min read Ever wondered how Cheat Engine works? GuardingPearSoftware GuardingPearSoftware GuardingPearSoftware Follow Jan 1 Ever wondered how Cheat Engine works? # csharp # cybersecurity # gamedev Comments Add Comment 4 min read Following my passion #2: position vector and learning more Zig Brandon Harrell Brandon Harrell Brandon Harrell Follow Jan 1 Following my passion #2: position vector and learning more Zig # devjournal # gamedev # learning Comments Add Comment 4 min read From Python to Physics: How I Built a Chrome Dino Clone in 24 Hours (Scaler YIIC Task 5) Aditya Mishra Aditya Mishra Aditya Mishra Follow Jan 5 From Python to Physics: How I Built a Chrome Dino Clone in 24 Hours (Scaler YIIC Task 5) # showdev # devchallenge # gamedev 1 reaction Comments Add Comment 2 min read My Simple Tic-Tac-Toe Game Shea31j Shea31j Shea31j Follow Jan 1 My Simple Tic-Tac-Toe Game # showdev # gamedev # beginners # python Comments 1 comment 1 min read AI Layer Split: Extract 5+ Game-Ready Assets Fast Xu Xinglian Xu Xinglian Xu Xinglian Follow Dec 31 '25 AI Layer Split: Extract 5+ Game-Ready Assets Fast # gamedev # ai # tutorial # productivity Comments Add Comment 7 min read Following my passion #3: Long overdue update on animation Brandon Harrell Brandon Harrell Brandon Harrell Follow Jan 1 Following my passion #3: Long overdue update on animation # beginners # devjournal # gamedev Comments Add Comment 2 min read Build a Snake Game in Elixir That Runs in Your Browser Alembic Labs Alembic Labs Alembic Labs Follow Dec 30 '25 Build a Snake Game in Elixir That Runs in Your Browser # elixir # webassembly # gamedev # tutorial Comments Add Comment 3 min read Raymarching Mountains for Godot - addon that solves the problem of open worlds EmberNoGlow EmberNoGlow EmberNoGlow Follow Dec 30 '25 Raymarching Mountains for Godot - addon that solves the problem of open worlds # godot # shader # tool # gamedev 1 reaction Comments Add Comment 1 min read Cyber Threats the Gaming Industry Faced in 2025, And What Indie Game Developers Can Learn GuardingPearSoftware GuardingPearSoftware GuardingPearSoftware Follow Dec 30 '25 Cyber Threats the Gaming Industry Faced in 2025, And What Indie Game Developers Can Learn # cybersecurity # gamedev # security Comments Add Comment 4 min read Keep extending ADV game engine with Antigravity tomokat tomokat tomokat Follow Dec 29 '25 Keep extending ADV game engine with Antigravity # antigravity # chatgpt # gamedev # phaser Comments Add Comment 2 min read Regression testing workflow: the risk first checks that keep releases stable Kelina Cowell Kelina Cowell Kelina Cowell Follow Dec 29 '25 Regression testing workflow: the risk first checks that keep releases stable # gamedev # testing # qualityassurance # ux Comments Add Comment 6 min read UnrealDev.nvim Update: Switching to SQLite for Blazing Fast Performance taku25 taku25 taku25 Follow Dec 29 '25 UnrealDev.nvim Update: Switching to SQLite for Blazing Fast Performance # gamedev # neovim Comments Add Comment 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 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:10 |
https://dev.to/t/indie | Indie - 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 # indie Follow Hide independent spirit, lo-fi vibes Create Post Older #indie posts 1 2 3 4 5 6 7 8 9 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu How Many Languages Should a Website Support? baiwei baiwei baiwei Follow Dec 12 '25 How Many Languages Should a Website Support? # seo # webdev # web # indie Comments Add Comment 3 min read Introducing Palette Box: Empower Your Design Workflow paletteboxofficial paletteboxofficial paletteboxofficial Follow Sep 23 '25 Introducing Palette Box: Empower Your Design Workflow # indie # design # palette # chrome Comments Add Comment 1 min read Animation Simulation 2D Slobi Slobi Slobi Follow Sep 12 '25 Animation Simulation 2D # prototyping # indie Comments Add Comment 2 min read Elevate Your Design Workflow with Palette Box paletteboxofficial paletteboxofficial paletteboxofficial Follow Sep 2 '25 Elevate Your Design Workflow with Palette Box # indie # design # palette # chrome Comments Add Comment 2 min read Shipping a Team Plan: Pricing, Growth, Pain Relief, and How-To Ju Ju Ju Follow Sep 15 '25 Shipping a Team Plan: Pricing, Growth, Pain Relief, and How-To # saas # startup # indie Comments Add Comment 4 min read Design Custom Anime Characters for Indie Games Rish Sunjab Rish Sunjab Rish Sunjab Follow Jul 13 '25 Design Custom Anime Characters for Indie Games # indie # game # character # design Comments Add Comment 2 min read 🚀 Mars Revive – Devlog: My Game Jam Journey to the Red Planet 🌕🛸 Purveh Choudhary Purveh Choudhary Purveh Choudhary Follow Apr 20 '25 🚀 Mars Revive – Devlog: My Game Jam Journey to the Red Planet 🌕🛸 # gamedev # indie # programming # unity3d Comments Add Comment 3 min read Can anyone give me a hand on my project? Pedro Martins Leal Pedro Martins Leal Pedro Martins Leal Follow Apr 14 '25 Can anyone give me a hand on my project? # help # procedural # indie # unity3d Comments Add Comment 1 min read 8 Amazing Web Directories For SaaS Builders and Indie Hackers 🤑🚀 Madza Madza Madza Follow Oct 7 '24 8 Amazing Web Directories For SaaS Builders and Indie Hackers 🤑🚀 # webdev # saas # indie # productivity 51 reactions Comments 9 comments 6 min read How NOT to Make Your Second Indie Game Pavel Tkachenko Pavel Tkachenko Pavel Tkachenko Follow Sep 13 '24 How NOT to Make Your Second Indie Game # gamedev # unity3d # indie 8 reactions Comments 1 comment 5 min read Last week, I made my very first sale as an indiehacker Dany Dany Dany Follow Jun 24 '24 Last week, I made my very first sale as an indiehacker # webdev # beginners # learning # indie Comments Add Comment 1 min read Recursos para crear Juegos Andres Ramirez Andres Ramirez Andres Ramirez Follow Jul 24 '24 Recursos para crear Juegos # videogames # indie 14 reactions Comments 6 comments 2 min read Launching Mo: Follow the Journey Mohameth Seck Mohameth Seck Mohameth Seck Follow Jun 10 '24 Launching Mo: Follow the Journey # indie # softwaredevelopment 9 reactions Comments 3 comments 2 min read keep building. Mohameth Seck Mohameth Seck Mohameth Seck Follow May 15 '24 keep building. # buildinpublic # swift # indie # ios Comments Add Comment 1 min read How an individual developer released seven apps in five months after registering as a developer zmsoft zmsoft zmsoft Follow May 11 '24 How an individual developer released seven apps in five months after registering as a developer # android # androiddev # developers # indie 1 reaction Comments Add Comment 6 min read How I embarked on a Career in iOS and Indie Development Leonard Sangoroh Leonard Sangoroh Leonard Sangoroh Follow May 3 '24 How I embarked on a Career in iOS and Indie Development # ios # swift # indie # softwaredevelopment 5 reactions Comments Add Comment 1 min read Thinking about what am I building on this Sunday Dan Mindru Dan Mindru Dan Mindru Follow Apr 7 '24 Thinking about what am I building on this Sunday # webdev # buildinpublic # indie 6 reactions Comments Add Comment 4 min read Making Games With Raylib Library As Senior Developer JDBC JDBC JDBC Follow Dec 9 '23 Making Games With Raylib Library As Senior Developer # raylib # gamedev # csharp # indie 3 reactions Comments Add Comment 6 min read My side-project made >$2k in 72 hours. In pre-orders only! Dan Mindru Dan Mindru Dan Mindru Follow Dec 3 '23 My side-project made >$2k in 72 hours. In pre-orders only! # buildinpublic # indie # sideprojects # nextjs 12 reactions Comments 2 comments 6 min read Insane new App/Game launch requirements on Android 😰 David Serrano David Serrano David Serrano Follow Nov 13 '23 Insane new App/Game launch requirements on Android 😰 # android # indie # google 2 reactions Comments 2 comments 5 min read UIs visually, backend in Python Ramiro Medina Ramiro Medina Ramiro Medina Follow May 8 '23 UIs visually, backend in Python # python # vue # indie # opensource Comments Add Comment 1 min read Dungeon Sweep: Knight -- devlog 001 JavaScript Joel JavaScript Joel JavaScript Joel Follow Apr 25 '23 Dungeon Sweep: Knight -- devlog 001 # indie # gamedev 3 reactions Comments Add Comment 3 min read java script Hoisting ana ana ana Follow Feb 24 '23 java script Hoisting # discuss # indie # tools # ai 1 reaction Comments Add Comment 1 min read How to Create a Dialogflow Chatbot using Flask ( Python Framework) Devashish Datt Mamgain Devashish Datt Mamgain Devashish Datt Mamgain Follow Feb 22 '23 How to Create a Dialogflow Chatbot using Flask ( Python Framework) # career # learning # basic # indie 3 reactions Comments Add Comment 6 min read Running Stable Diffusion Locally & in Cloud with Diffusers & dstack Andrey Cheptsov Andrey Cheptsov Andrey Cheptsov Follow for dstack Feb 13 '23 Running Stable Diffusion Locally & in Cloud with Diffusers & dstack # discuss # livestreaming # indie # indiegames 4 reactions Comments Add Comment 6 min read loading... trending guides/resources How Many Languages Should a Website Support? 💎 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:10 |
https://github.com/pinecone-io/pinecone-dotnet-client | GitHub - pinecone-io/pinecone-dotnet-client: The official C# SDK for accessing the Pinecone control plane and data plane. Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} pinecone-io / pinecone-dotnet-client Public Notifications You must be signed in to change notification settings Fork 3 Star 21 The official C# SDK for accessing the Pinecone control plane and data plane. docs.pinecone.io/reference/api License Apache-2.0 license 21 stars 3 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 5 Pull requests 0 Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Security Insights pinecone-io/pinecone-dotnet-client main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 59 Commits .github/ workflows .github/ workflows .mock .mock proto proto src src .editorconfig .editorconfig .fernignore .fernignore .gitignore .gitignore CONTRIBUTING.md CONTRIBUTING.md LICENSE LICENSE README.md README.md icon.png icon.png reference.md reference.md View all files Repository files navigation README Contributing Apache-2.0 license Pinecone .NET Library The official Pinecone .NET library supporting .NET Standard, .NET Core, and .NET Framework. Requirements To use this SDK, ensure that your project is targeting one of the following: .NET Standard 2.0+ .NET Core 3.0+ .NET Framework 4.6.2+ .NET 6.0+ Installation Using the .NET Core command-line interface (CLI) tools: dotnet add package Pinecone.Client Using the NuGet Command Line Interface (CLI): nuget install Pinecone.Client Documentation API reference documentation is available here . Usage Instantiate the SDK using the Pinecone class. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) Indexes Operations related to the building and managing of Pinecone indexes are called control plane operations. Create index You can use the .NET SDK to create two types of indexes: Serverless indexes (recommended for most use cases) Pod-based indexes (recommended for high-throughput use cases). Create a serverless index The following is an example of creating a serverless index in the us-east-1 region of AWS. For more information on serverless and regional availability, see Understanding indexes . using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = await pinecone . CreateIndexAsync ( new CreateIndexRequest { Name = "example-index" , Dimension = 1538 , Metric = MetricType . Cosine , Spec = new ServerlessIndexSpec { Serverless = new ServerlessSpec { Cloud = ServerlessSpecCloud . Azure , Region = "eastus2" , } } , DeletionProtection = DeletionProtection . Enabled } ) ; Create a pod-based index The following is a minimal example of creating a pod-based index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = await pinecone . CreateIndexAsync ( new CreateIndexRequest { Name = "example-index" , Dimension = 1538 , Metric = MetricType . Cosine , Spec = new PodIndexSpec { Pod = new PodSpec { Environment = "eastus-azure" , PodType = "p1.x1" , Pods = 1 , Replicas = 1 , Shards = 1 , } } , DeletionProtection = DeletionProtection . Enabled } ) ; List indexes The following example returns all indexes (and their corresponding metadata) in your project. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var indexesInYourProject = await pinecone . ListIndexesAsync ( ) ; Delete an index The following example deletes an index by name. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; await pinecone . DeleteIndexAsync ( "example-index" ) ; Describe an index The following example returns metadata about an index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var indexModel = await pinecone . DescribeIndexAsync ( "example-index" ) ; Scale replicas The following example changes the number of replicas for an index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var indexMetadata = await pinecone . ConfigureIndexAsync ( "example-index" , new ConfigureIndexRequest { Spec = new ConfigureIndexRequestSpec { Pod = new ConfigureIndexRequestSpecPod { Replicas = 2 , PodType = "p1.x1" , } } } ) ; Note that scaling replicas is only applicable to pod-based indexes. Describe index statistics The following example returns statistics about an index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var indexStatsResponse = await index . DescribeIndexStatsAsync ( new DescribeIndexStatsRequest ( ) ) ; Upsert vectors Operations related to the indexing, deleting, and querying of vectors are called data plane operations. The following example upserts vectors to example-index . using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var upsertIds = new [ ] { "v1" , "v2" , "v3" } ; float [ ] [ ] values = [ [ 1.0f , 2.0f , 3.0f ] , [ 4.0f , 5.0f , 6.0f ] , [ 7.0f , 8.0f , 9.0f ] ] ; uint [ ] [ ] sparseIndices = [ [ 1 , 2 , 3 ] , [ 4 , 5 , 6 ] , [ 7 , 8 , 9 ] ] ; float [ ] [ ] sparseValues = [ [ 1000f , 2000f , 3000f ] , [ 4000f , 5000f , 6000f ] , [ 7000f , 8000f , 9000f ] ] ; var metadataStructArray = new [ ] { new Metadata { [ "genre" ] = "action" , [ "year" ] = 2019 } , new Metadata { [ "genre" ] = "thriller" , [ "year" ] = 2020 } , new Metadata { [ "genre" ] = "comedy" , [ "year" ] = 2021 } , } ; var vectors = new List < Vector > ( ) ; for ( var i = 0 ; i <= 2 ; i ++ ) { vectors . Add ( new Vector { Id = upsertIds [ i ] , Values = values [ i ] , SparseValues = new SparseValues { Indices = sparseIndices [ i ] , Values = sparseValues [ i ] , } , Metadata = metadataStructArray [ i ] , } ) ; } var upsertResponse = await index . UpsertAsync ( new UpsertRequest { Vectors = vectors } ) ; Query an index The following example queries the index example-index with metadata filtering. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var queryResponse = await index . QueryAsync ( new QueryRequest { Namespace = "example-namespace" , Vector = new [ ] { 0.1f , 0.2f , 0.3f , 0.4f } , TopK = 10 , IncludeValues = true , IncludeMetadata = true , Filter = new Metadata { [ "genre" ] = new Metadata { [ "$in" ] = new [ ] { "comedy" , "documentary" , "drama" } , } } } ) ; Query sparse-dense vectors The following example queries an index using a sparse-dense vector: using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var queryResponse = await index . QueryAsync ( new QueryRequest { TopK = 10 , Vector = new [ ] { 0.1f , 0.2f , 0.3f } , SparseVector = new SparseValues { Indices = [ 10 , 45 , 16 ] , Values = new [ ] { 0.5f , 0.5f , 0.2f } , } } ) ; Delete vectors The following example deletes vectors by ID. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var deleteResponse = await index . DeleteAsync ( new DeleteRequest { Ids = [ "v1" ] , Namespace = "example-namespace" , } ) ; The following example deletes all records in a namespace and the namespace itself: using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var deleteResponse = await index . DeleteAsync ( new DeleteRequest { DeleteAll = true , Namespace = "example-namespace" , } ) ; Fetch vectors The following example fetches vectors by ID. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var fetchResponse = await index . FetchAsync ( new FetchRequest { Ids = [ "v1" ] , Namespace = "example-namespace" , } ) ; List vector IDs The following example lists up to 100 vector IDs from a Pinecone index. The following demonstrates how to use the list endpoint to get vector IDs from a specific namespace, filtered by a given prefix. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var listResponse = await index . ListAsync ( new ListRequest { Namespace = "example-namespace" , Prefix = "prefix-" , } ) ; Update vectors The following example updates vectors by ID. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var updateResponse = await index . UpdateAsync ( new UpdateRequest { Id = "vec1" , Values = new [ ] { 0.1f , 0.2f , 0.3f , 0.4f } , SetMetadata = new Metadata { [ "genre" ] = "drama" } , Namespace = "example-namespace" , } ) ; Namespaces Namespaces live inside your indexes. You don't need to create them before using them. Simply upsert records to a namespace and it will be created automatically. List namespaces The following example lists all namespaces in the index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var namespaces = await index . ListNamespacesAsync ( new ListNamespacesRequest ( ) ) ; foreach ( var @namespace in namespaces . Namespaces ) { Console . WriteLine ( $ "Namespace: { @namespace . Name } " ) ; Console . WriteLine ( $ "Record Count: { @namespace . RecordCount } " ) ; } Describe a namespace The following example describes a namespace. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var @namespace = await index . DescribeNamespaceAsync ( "namespace-name" ) ; Console . WriteLine ( $ "Namespace: { @namespace . Name } " ) ; Console . WriteLine ( $ "Record Count: { @namespace . RecordCount } " ) ; Delete a namespace The following example deletes a namespace. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; await index . DeleteNamespaceAsync ( "namespace-name" ) ; Backups Backup an index The following example creates a backup of an index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var backup = await pinecone . Backups . BackupIndexAsync ( "index-name" , new BackupIndexRequest ( ) ) ; Restore a backup The following example restores a backup of an index, which creates a restore job. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var response = await pinecone . Backups . CreateIndexFromBackupAsync ( "backup-id" , new CreateIndexFromBackupRequest { Name = "new-index-name" } ) ; Console . WriteLine ( $ "Restore Job ID: { response . RestoreJobId } " ) ; Console . WriteLine ( $ "New Index ID: { response . IndexId } " ) ; Get a backup The following example describes a backup. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var backup = await pinecone . Backups . GetAsync ( "backup-id" ) ; List backups The following example lists all backups. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var backups = await pinecone . Backups . ListAsync ( ) ; foreach ( var backup in backups . Data ) { Console . WriteLine ( $ "BackupId: { backup . BackupId } " ) ; Console . WriteLine ( $ "Name: { backup . Name } " ) ; Console . WriteLine ( $ "CreatedAt: { backup . CreatedAt } " ) ; Console . WriteLine ( $ "Status: { backup . Status } " ) ; Console . WriteLine ( $ "RecordCount: { backup . RecordCount } " ) ; } List backups by index The following example lists backups for a specific index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var backups = await pinecone . Backups . ListByIndexAsync ( "index-name" , new ListBackupsByIndexRequest ( ) ) ; foreach ( var backup in backups . Data ) { Console . WriteLine ( $ "BackupId: { backup . BackupId } " ) ; Console . WriteLine ( $ "Name: { backup . Name } " ) ; Console . WriteLine ( $ "CreatedAt: { backup . CreatedAt } " ) ; Console . WriteLine ( $ "Status: { backup . Status } " ) ; Console . WriteLine ( $ "RecordCount: { backup . RecordCount } " ) ; } Delete backup The following example deletes a backup. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; await pinecone . Backups . DeleteAsync ( "backup-id" ) ; List restore jobs using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var jobs = await pinecone . RestoreJobs . ListAsync ( new ListRestoreJobsRequest ( ) ) ; foreach ( var job in jobs . Data ) { Console . WriteLine ( $ "Restore Job ID: { job . RestoreJobId } " ) ; Console . WriteLine ( $ "Status: { job . Status } " ) ; Console . WriteLine ( $ "CreatedAt: { job . CreatedAt } " ) ; Console . WriteLine ( $ "TargetIndexName: { job . TargetIndexName } " ) ; } Get restore job using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var job = await pinecone . RestoreJobs . GetAsync ( "job-id" ) ; Console . WriteLine ( $ "Restore Job ID: { job . RestoreJobId } " ) ; Console . WriteLine ( $ "Status: { job . Status } " ) ; Console . WriteLine ( $ "CreatedAt: { job . CreatedAt } " ) ; Console . WriteLine ( $ "TargetIndexName: { job . TargetIndexName } " ) ; Collections Collections fall under data plane operations. Create a collection The following creates a collection. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var collectionModel = await pinecone . CreateCollectionAsync ( new CreateCollectionRequest { Name = "example-collection" , Source = "example-index" , } ) ; List collections The following example returns a list of the collections in the current project. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var collectionList = await pinecone . ListCollectionsAsync ( ) ; Describe a collection The following example returns a description of the collection. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var collectionModel = await pinecone . DescribeCollectionAsync ( "example-collection" ) ; Delete a collection The following example deletes the collection example-collection . using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; await pinecone . DeleteCollectionAsync ( "example-collection" ) ; Inference Embed The Pinecone SDK now supports creating embeddings via the Inference API . using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; // Prepare input sentences to be embedded List < EmbedRequestInputsItem > inputs = [ new ( ) { Text = "The quick brown fox jumps over the lazy dog." } , new ( ) { Text = "Lorem ipsum" } ] ; // Specify the embedding model and parameters var embeddingModel = "multilingual-e5-large" ; // Generate embeddings for the input data var embeddings = await pinecone . Inference . EmbedAsync ( new EmbedRequest { Model = embeddingModel , Inputs = inputs , Parameters = new Dictionary < string , object ? > { [ "input_type" ] = "query" , [ "truncate" ] = "END" } } ) ; // Get embedded data var embeddedData = embeddings . Data ; There are two different types of embeddings generated depending on the model that you use: Dense: represented by the DenseEmbedding class Sparse: represented by the SparseEmbedding class You can check the type of embedding using the VectorType property or using the IsDense and IsSparse properties. Once you know the type of the embedding, you can get the appropriate type using the AsDense() and AsSparse() methods. var embedding = embeddedData . First ( ) ; if ( embedding . VectorType == VectorType . Dense ) { var denseEmbedding = embedding . AsDense ( ) ; // Use dense embedding } else if ( embedding . VectorType == VectorType . Sparse ) { var sparseEmbedding = embedding . AsSparse ( ) ; // Use sparse embedding } Rerank The following example shows how to rerank items according to their relevance to a query. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; // The model to use for reranking var model = "bge-reranker-v2-m3" ; // The query to rerank documents against var query = "The tech company Apple is known for its innovative products like the iPhone." ; // Add the documents to rerank var documents = new List < Dictionary < string , object > > { new ( ) { [ "id" ] = "vec1" , [ "my_field" ] = "Apple is a popular fruit known for its sweetness and crisp texture." } , new ( ) { [ "id" ] = "vec2" , [ "my_field" ] = "Many people enjoy eating apples as a healthy snack." } , new ( ) { [ "id" ] = "vec3" , [ "my_field" ] = "Apple Inc. has revolutionized the tech industry with its sleek designs and user-friendly interfaces." } , new ( ) { [ "id" ] = "vec4" , [ "my_field" ] = "An apple a day keeps the doctor away, as the saying goes." } } ; // The fields to rank the documents by. If not provided, the default is "text" var rankFields = new List < string > { "my_field" } ; // The number of results to return sorted by relevance. Defaults to the number of inputs var topN = 2 ; // Whether to return the documents in the response var returnDocuments = true ; // Additional model-specific parameters for the reranker var parameters = new Dictionary < string , object > { [ "truncate" ] = "END" } ; // Send ranking request var result = await pinecone . Inference . RerankAsync ( new RerankRequest { Model = model , Query = query , Documents = documents , RankFields = rankFields , TopN = topN , Parameters = parameters } ) ; // Get ranked data var data = result . Data ; Models The following example shows how to list all available models. using Pinecone ; using Pinecone . Inference ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var models = await pinecone . Inference . Models . ListAsync ( new ListModelsRequest ( ) ) ; foreach ( var model in models . Models ) { Console . WriteLine ( $ "Name: { model . Model } " ) ; Console . WriteLine ( $ "Type: { model . Type } " ) ; Console . WriteLine ( $ "Vector type: { model . VectorType } " ) ; } The following example shows how to get a specific model. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var model = await pinecone . Inference . Models . GetAsync ( "pinecone-sparse-english-v0" ) ; Console . WriteLine ( $ "Name: { model . Model } " ) ; Console . WriteLine ( $ "Type: { model . Type } " ) ; Console . WriteLine ( $ "Vector type: { model . VectorType } " ) ; Imports Start an import The following example initiates an asynchronous import of vectors from object storage into the index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "PINECONE_INDEX_NAME" ) ; var uri = "s3://path/to/file.parquet" ; var response = await index . StartBulkImportAsync ( new StartImportRequest { Uri = uri , IntegrationId = "123-456-789" , ErrorMode = new ImportErrorMode { OnError = ImportErrorModeOnError . Continue } } ) ; List imports The following example lists all recent and ongoing import operations for the specified index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "PINECONE_INDEX_NAME" ) ; var imports = await index . ListBulkImportsAsync ( new ListBulkImportsRequest { Limit = 100 , PaginationToken = "some-pagination-token" } ) ; Describe an import The following example retrieves detailed information about a specific import operation using its unique identifier. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "PINECONE_INDEX_NAME" ) ; var importDetails = await index . DescribeBulkImportAsync ( "1" ) ; Cancel an import The following example attempts to cancel an ongoing import operation using its unique identifier. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "PINECONE_INDEX_NAME" ) ; var cancelResponse = await index . CancelBulkImportAsync ( "2" ) ; Advanced Control Plane Client Options Control Plane endpoints are accessed via standard HTTP requests. You can configure the following HTTP client options: MaxRetries : The maximum number of times the client will retry a failed request. Default is 2 . Timeout : The time limit for each request before it times out. Default is 30 seconds . BaseUrl : The base URL for all requests. HttpClient : The HTTP client to be used for all requests. IsTlsEnabled : The client will default to using HTTPS if true , and to HTTP if false . Default is true . Example usage: var pinecone = new PineconeClient ( "PINECONE_API_KEY" , new ClientOptions { MaxRetries = 3 , Timeout = TimeSpan . FromSeconds ( 60 ) , HttpClient = .. . , // Override the Http Client BaseUrl = .. . , // Override the Base URL IsTlsEnabled = true } ) ; Configuring HTTP proxy for both control and data plane operations If your network setup requires you to interact with Pinecone via a proxy, you need to configure the HTTP client accordingly. using System . Net ; using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" , new ClientOptions { HttpClient = new HttpClient ( new HttpClientHandler { Proxy = new WebProxy ( "PROXY_HOST:PROXY_PORT" ) } ) } ) ; If you're building your HTTP client using the HTTP client factory , you can use the ConfigurePrimaryHttpMessageHandler method to configure the proxy. . ConfigurePrimaryHttpMessageHandler ( ( ) => new HttpClientHandler { Proxy = new WebProxy ( "PROXY_HOST:PROXY_PORT" ) } ) ; Data Plane gRPC Options Data Plane endpoints are accessed via gRPC. You can configure the Pinecone client with gRPC channel options for advanced control over gRPC communication settings. These options allow you to customize various aspects like message size limits, retry attempts, credentials, and more. Example usage: var pinecone = new PineconeClient ( "PINECONE_API_KEY" , new ClientOptions { GrpcOptions = new GrpcChannelOptions { MaxRetryAttempts = 5 , MaxReceiveMessageSize = 4 * 1024 * 1024 // 4 MB // Additional configuration options... } } ) ; Exception handling When the API returns a non-zero status code, (4xx or 5xx response), a subclass of PineconeException will be thrown: try { pinecone . CreateIndexAsync ( .. . ) ; } catch ( PineconeException e ) { Console . WriteLine ( e . Message ) } Contributing While we value open-source contributions to this SDK, this library is generated programmatically. Additions made directly to this library would have to be moved over to our generation code, otherwise they would be overwritten upon the next generated release. Feel free to open a PR as a proof of concept, but know that we will not be able to Pinecone it as-is. We suggest opening an issue first to discuss with us! On the other hand, contributions to the README are always very welcome! About The official C# SDK for accessing the Pinecone control plane and data plane. docs.pinecone.io/reference/api Topics pinecone csharp-client built-with-fern generated-from-proto Resources Readme License Apache-2.0 license Contributing Contributing Uh oh! There was an error while loading. Please reload this page . Activity Custom properties Stars 21 stars Watchers 9 watching Forks 3 forks Report repository Releases 9 v4.0.2 Latest Jun 17, 2025 + 8 releases Packages 0 No packages published Uh oh! There was an error while loading. Please reload this page . Contributors 6 Uh oh! There was an error while loading. Please reload this page . Languages C# 100.0% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:10 |
https://learn.interviewkickstart.com/ace-your-mock-interview-v2 | Ace your mock interview v2 | Interview Kickstart Skip to content How it works Pricing FAQs Start Interviewing with FAANG+ Experts Start Interviewing with FAANG+ Experts Mock Interviews with FAANG+ Engineers — The Smarter Way to Prepare Gain confidence. Fix your gaps. Crack your next interview. Start Interviewing with FAANG+ Experts Interviewers from Offer: $200K - SDE @ 1.28M highest offer 4.8/5 Avg. Rating 3-5X Higher Offer 12,235 + Mock interviews Start Interviewing with FAANG+ Experts Interviewers from Interviewers from Practise mock interviews with 700+ experts Maximize Your Interviewing Potential Danielle Class Danielle Class is a Software Engineering Manager at Amazon, leading AI initiatives, and an instructor at Interview Kickstart. She brings 10+ years of experience across engineering, program management, and STEM education, with a strong focus on mentoring and curriculum development. Software Engineering Manager, Experience 16+ Years Mock interviews 230+ Rating 4.89 ★ Daniel Hoffman Daniel Hoffman is a Senior Technical Program Manager at Amazon Ring, leading cross-functional initiatives and product insights. With deep expertise in technical program management and a passion for mentoring, he helps candidates excel in TPM and PM interviews through focused mock sessions and practical feedback. Sr. Program Manager, Experience 10+ Years Mock interviews 145+ Rating 4.90 ★ Shruti Goli Shruti Goli is a Senior Product Manager at Incode, building cutting-edge ML and AI products for identity verification and deepfake detection. Formerly Chief Product Officer at Trymata and a PM at Microsoft, she brings deep expertise in AI product strategy and interview preparation. Senior Product Manager, Experience 20+ Years Mock interviews 180+ Rating 4.92 ★ James Ausman James Ausman is a Senior Technical Program Manager at Chime with deep experience spanning AWS, Eventbrite, Twilio, Google, and Square. Specializing in technical infrastructure, fintech, and program leadership, he mentors professionals preparing for TPM and PM roles at top-tier companies. Sr. Technical Program Manager, Experience 23+ Years Mock interviews 200+ Rating 4.90 ★ Praveen Kumar Kashimsetty Praveen Kumar is Director of Product Management at Rafay and a seasoned mentor at Interview Kickstart. With 16 years at Microsoft and leadership roles at Meta and Rafay, he brings deep expertise in cloud, infrastructure, and product management, helping professionals break into top-tier product and TPM roles. Director of Product Management Experience 20+ Years Mock interviews 200+ Rating 4.85 ★ Neha Ganjoo Neha Ganjoo is a seasoned Product Manager with over 20 years of experience in product development, strategy, and execution across diverse tech-driven industries. She has a proven track record of collaborating closely with engineering, design, and business teams to deliver impactful products, with expertise spanning market research, roadmap planning, user experience optimization, and leading growth initiatives in fast-paced, innovative environments. Capital Strategy Manager, Experience 16+ Years Mock interviews 230+ Rating 4.89 ★ Randy Cogill Randy Cogill is a Senior Research Scientist at Amazon with deep expertise in data science, optimization, and machine learning. He has led impactful projects in demand forecasting and inventory management, and previously taught at the University of Virginia while managing over $1M in funded research. Senior Research Scientist, Experience 20+ Years Mock interviews 200+ Rating 4.86 ★ Jacob Markus Jacob Markus is a Capital Strategy Manager at Meta with deep expertise in financial planning, data center operations, and large-scale cost forecasting. He brings experience from top tech firms like AWS and Apple, where he led strategic initiatives spanning R&D finance, risk modeling, and global forecasting. Capital Strategy Manager, Experience 12+ Years Mock interviews 155+ Rating 4.76 ★ Hanif Mahboobi Hanif Mahboobi is a seasoned AI and data science leader with over 12 years of experience across top firms like PayPal, Meta, AWS, and Albertsons. He specializes in AI strategy, personalization systems, and leadership of high-impact data teams, and also actively mentors professionals transitioning into advanced AI and ML roles. Senior Data Science Leader, Experience 16+ Years Mock interviews 270+ Rating 4.81 ★ Matt Nickens Matt Nickens is a Senior Manager of Data Science at CarMax, with prior leadership roles at Meta, Disney, and 20th Century Fox. He has deep expertise in building and scaling data science teams, driving insights across tech and entertainment, and delivering impactful analytics solutions. Sr Manager - Data Science Experience 17+ Years Mock interviews 165+ Rating 4.71 ★ Naveen Neppalli Naveen Neppalli is Vice President of AI at Viant Technology and Vouched, with 18+ years of leadership in AI, ML, and GenAI across Amazon, Disney, and more. He specializes in large-scale AI systems, computer vision, and personalized recommendations, and mentors on deep tech and engineering leadership. VP of AI & Engineering Experience 19+ Years Mock interviews 190+ Rating 4.92 ★ Thang Tran Thang Tran is a seasoned Backend and Data Software Engineer with 7+ years of experience bridging data engineering, machine learning, and backend development. He specializes in building scalable systems, robust data pipelines, and APIs that power ML models and data-driven decision-making, with deep expertise in Python, Django, Flask, Kubernetes, AWS, and GCP. Senior Data Engineer Experience 15+ Years Mock interviews 140+ Rating 4.79 ★ David Prorok David Prorok is a former Software Engineer at Facebook with 10+ years of experience in front-end engineering and product development. He now coaches engineers at Interview Kickstart and leads innovative projects blending AI, mindfulness, and creative education, bringing a unique mix of technical depth and coaching expertise. Front-end Engineering Experience 17+ Years Mock interviews 160+ Rating 4.88 ★ How Our Mock Interviews Work Your Path to Interview Success in 3 Simple Steps Pick a Domain Choose from DSA, System Design, or Behavioral based on your preparation needs. Book a Mock Interview Get matched with a real FAANG+ interviewer for a personalized 1-on-1 practice session. Sharpen Your Prep Review your mock interview recordings and feedback to fix weak spots before your next round. As seen on Mock Interview Samples A preview of the typical FAANG interview FAANG Mock Interview with Software Engineer | Recursion Interview Full Stack Mock Interview | Interview Questions with Software Engineer Google Mock Interview with Software Engineer | Object Modelling ML & DL Mock Interview by AI Reality Labs Manager at Meta Mock Interview by Co-Founder at Trebellar | Object Modelling #MAANG Pick the Perfect Package for Your Goals $199 $250 Essential Pack Ideal for candidates seeking a focused, single mock interview with expert feedback. 1 Mock Interview Resume & LinkedIn review Personalized written feedback One-on-one session with a FAANG+ expert Enroll Now $525 $750 Elite Pack Designed for professionals who want to refine their skills with more interview practice. 3 Mock Interviews Resume & LinkedIn review Personalized written feedback Access to curated prep guides & practice questions One-on-one sessions with FAANG+ experts Interviewer Selection by Request Enroll Now Why Top Professionals Choose IK Expert-Led Coaching Practice with 600+ FAANG+ interviewers who know what it takes. Realistic Experience Live sessions mirror real interviews at top tech companies. Actionable Feedback Get detailed input on both technical and soft skills. Proven Results Candidates land offers 3x–5x higher than the industry average. What our students have to say Each instructor-led session was packed with information and there were lots of problems to practice. The course was intense, but it was a great use of my time. Neelesh Tendulkar Offers from Google, Intuit Interview Kickstart is like a fitness coach which guides to achieve your dream job. It can help you identify your weak points and also suggest steps to improve them. Swapnil Tailor Offers from Facebook, Twitter, Linkedin The classes, workshops, quizzes, practice problems, and mock interviews provided me with the knowledge, tools, and the feedback that I was missing. Interview Kickstart showed me how to prepare for success. Flavia Vela Offers from LinkedIn, Amazon IK provides a nice, structured way to prepare for interviews while having a full-time job. Mock interviews helped me get better and the problem sets alleviated the need for me to source problems externally. Kushal L Offers from Facebook Read more reviews Top companies love hiring our candidates FAQs General About Interviewers About Mock Interviews Refund Policy Why should I choose Interview Kickstart? Interview Kickstart is the Gold Standard for Interview Preparation—no other program comes close. We’ve helped more than 25,000 candidates land their dream jobs at top companies (including those who previously struggled with interviews). While others focus on “hacking” interviews, we focus on making you a better professional. Top companies like Google, Meta, and Amazon have 5-7 interview rounds with experienced engineers—shortcuts just don’t work. Our interviewer quality is unparalleled—every instructor is a FAANG+ industry expert, rigorously vetted to ensure you learn from the best. This commitment to excellence is part of IK’s DNA. With years of experience assisting professionals like you in achieving their career goals, we understand what it takes to succeed in today’s competitive job market. What results can I expect? Candidates who train with us see a success rate 3 to 5 times higher in landing FAANG+ offers compared to the industry average. Do you offer guidance beyond mock interviews? Yes. We provide tailored resources to boost your prep, including resume analysis, skill gap analysis, LinkedIn profile review, target role insights, salary benchmarks, curated guides, and practice questions. Who are the Interview Kickstart interviewers? We have a team of over 600 experienced hiring managers and experts from Tier 1 tech and product companies. They know exactly what it takes to succeed in top-tier interviews. How are Interview Kickstart interviewers vetted? Our instructors are all hand-picked FAANG+ experts, personally vetted by our founder, Soham Mehta (ex-Box). They undergo a rigorous screening process, including trial interviews, and are continuously evaluated to ensure top-tier quality instruction. We aim to provide the best learning experience to ensure your success. Can I choose my mock interviewer? Can I request someone from a specific company? Yes, you can request a specific interviewer from a particular company (e.g., a Googler for a Google interview). While we do our best to accommodate such requests, interviewer selection is subject to availability. Simply submit a request, and we will inform you if we can match you with your preferred choice. What level of experience is required to take mock interviews? You don’t need to be at any specific experience level to practice interviewing with us. Our interviews are tailored for professionals at all levels, whether you’re preparing for your first technical interview or targeting a leadership position. How does Interview Kickstart’s training compare to self-practice? While practicing in front of the mirror can be helpful, Interview Kickstart Mock Interviews provide a more structured, comprehensive training with real FAANG+ experts, ensuring focused learning, faster progress, and better outcomes. How do I book a mock interview? Booking is quick and easy: Visit pricing anchor link. Select a package that fits your goals and budget Choose your preferred date and time Attend a live, interactive mock interview with FAANG+ experts and receive personalized feedback What kind of questions are asked in mock interviews? Our mock interviews mirror real FAANG+ interviews and are tailored to your role. Here is a sample of the topics you could practice for: Software Engineers: CS fundamentals, data structures, algorithms, and systems design. Product Managers: Product strategy, prioritization, user empathy, and analytical problem-solving. Engineering Managers: People management, technical leadership, project execution, and systems design. Data Scientists/ML Engineers: Statistics, machine learning, coding, data analysis, and experimental design. Technical Program Managers: Program management, cross-functional communication, and risk mitigation. What if I’m already good at coding? Will this package still benefit me? Yes. Even experienced coders benefit from advanced topics, mock interviews, and feedback that fine-tunes their problem-solving and communication skills. How realistic are these mock interviews? They’re live and designed to closely replicate actual FAANG+ interviews, ensuring you’re fully prepared for the real thing. How private are the mock interviews? Our mock interviews are designed to simulate real interview conditions, including both audio and video, though the format can be adjusted based on your preference. All our instructors have signed Non-Disclosure Agreements (NDAs) with us, guaranteeing that any information shared during your mock interview will remain strictly confidential. You have complete control over what personal details you choose to disclose during the session. How soon can I book my mock interview? You can usually schedule your first mock interview within 24 hours of purchasing a package. Can I cancel/reschedule my mock interview? You can cancel or reschedule for free if done at least 24 hours in advance. Cancellations or reschedules within 24 hours of the session will count as a completed session with no refunds. What happens if I don’t show up for my interview? If you miss your scheduled mock interview, it will be counted as completed, and no refund or rescheduling will be available. What kind of feedback will I receive? You’ll get detailed written feedback covering the below aspects (and more): Technical skills Problem-solving approach Communication style Behavioral interview responses Can I track my progress over time? Yes! Our platform includes progress tracking tools to monitor your growth and target key improvement areas. Can I review my mock interviews afterward? Absolutely! You’ll have lifetime access to your recordings, so you can rewatch, reflect, and improve anytime. What if I’m not satisfied with my purchase? Our refund policy is outlined below: Full Refund: Available if requested within 72 hours of purchase, provided no mock interview has been scheduled. 50% Refund: Available if requested within 10 days of purchase, provided no mock interview has been scheduled. No Refunds: After 10 days from the purchase date or if at least one mock interview has been scheduled. The refund approval process will be completed within 30 days of raising the request. Once your refund is approved, you will no longer have access to any session materials or classes. To request a refund, submit a request from your account dashboard. Can I get a refund for unused mock interviews? Yes, unused mock interview sessions are eligible for a refund within 72 hours of completing your last session. After this, refunds will no longer be available, but you can still use your remaining sessions anytime in the future. In case where you get a refund, it will be adjusted based on the original discount applied. For example: If you purchased 3 discounted sessions for $600 (3 x $200) and used only 1 session, your refund will be calculated based on the 2-session price (2 x $200 = $400). Your refund amount would be $600 – $200 = $400. If you used 2 sessions, the refund would be $600 – $400 = $200. To request a refund, you must inform us within 72 hours of your last interview. How long does it take to process refunds after approval? After approval, refunds will be processed within 5 to 7 business days and credited to the original payment method. Privacy Policy * Terms and Conditions © Copyright 2026. All Rights Reserved. Document Wait! Let’s help you ace that interview! Our FAANG-trained coaches will pinpoint your prep gaps—on a short, FREE call. Full Name Email ID Phone Number We’ll never spam or share your details By sharing your contact details, you agree to our privacy policy. Get My Personal Interview Plan You’re all set! Our team will reach out soon to discuss your prep needs Register for our webinar How to Nail your next Technical Interview 1 hour Webinar Slot Blocked Loading... 1 Enter details 2 Select webinar slot Your name *Invalid Name Email Address *Invalid Email Address Your phone number *Invalid Phone Number I agree to receive updates and promotional messages via WhatsApp By sharing your contact details, you agree to our privacy policy. Select your webinar time Select a Date November 20 November 20 November 20 Time slots 22:30 22:30 22:30 22:30 22:30 Time Zone: Finish Back Almost there... Share your details for a personalised FAANG career consultation! Work Experience in years * Required Select one... 0-2 3-4 5-8 9-15 16-20 20+ Domain/Role * Required Select one... Back-end Cloud Engineer Cyber Security Data Engineer Data Science Front-end Full Stack Machine Learning / AI Engineering Manager - any domain Tech Product Manager Product Manager (Non Tech) Technical Program Manager Test Engineer / SDET / QE Android Developer iOS Developer Site Reliability Engineer Embedded Software Engineer Other Software Engineers Data Analyst / Business Analyst Core Engineering/STEM degree Salesforce developer DevOps Engineer None of the above I have been laid off recently I’m currently a student Next Back Your preferred slot for consultation * Required Morning (9AM-12PM) Afternoon (12PM-5PM) Evening (5PM-8PM) Get your LinkedIn Profile reviewed * Invalid URL Beat the LinkedIn algorithm—attract FAANG recruiters with our insights! Get your Resume reviewed * Max size: 4MB Upload Resume (.pdf) Only the top 2% make it—get your resume FAANG-ready! Finish Back Registration completed! 🗓️ Friday, 18th April, 6 PM Your Webinar slot ⏰ Mornings, 8-10 AM Our Program Advisor will call you at this time Resume Browsing Loading Comments... Write a Comment... Email (Required) Name (Required) Website | 2026-01-13T08:48:10 |
https://devblogs.microsoft.com/java/ | Microsoft for Java Developers 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 Microsoft for Java Developers Microsoft for Java Developers News, updates, and insights for Java development with Microsoft tools, Azure services, and OpenJDK. Featured posts Oct 29, 2025 Post comments count 0 Post likes count 0 Java OpenJDK October 2025 Patch & Security Update Derek Keeler Hello Java customers! We are happy to announce the latest July 2025 patch & security update release for the Microsoft Build of OpenJDK. Download and inst... Java Latest posts Dec 31, 2025 Post comments count 2 Post likes count 1 Java at Microsoft: 2025 Year in Review Bruno Borges A breakthrough year for modernization, AI‑assisted development, Agentic AI development, and platform innovation 2025 was one of the most significant years yet for Java at Microsoft. From the arrival of OpenJDK 25 as the newest Long‑Term Support (LTS) release, to AI‑powered modernization workflows with GitHub Copilot app modernization, to Agentic AI development in Microsoft AI Foundry with Java frameworks like LangChain4j, Spring AI, Quarkus AI, and Embabel, with major Visual Studio Code and Azure platform investments. Microsoft deepened its commitment across the entire Java ecosystem. Java 25: A New LTS Era B... Dec 16, 2025 Post comments count 0 Post likes count 2 Beyond Ergonomics: How the Azure Command Launcher for Java Improves GC Stability and Throughput on Azure VMs Monica Beckwith In our previous blog we introduced Azure Command Launcher for Java () —a safe, resource-aware way to launch the JVM without hand-tuning dozens of flags. This follow-up shares performance results, focusing on how affects G1 behavior, heap dynamics, and pause characteristics under a long-running, allocation-intensive workload: SPECjbb 2015 (JBB). Test bed: 4-vCPU, 16-GB Azure Linux/Arm64 VM running the Microsoft Build of OpenJDK. JDKs exercised: Validated on JDK 17 (17.0.17), 21 (21.0.9), and 25 (25.0.1); all figures in this post are from the JDK 17 runs. Trends on 21/25 matched the 17 results. How we ran... Nov 20, 2025 Post comments count 0 Post likes count 4 From Complexity to Simplicity: Intelligent JVM Optimizations on Azure Monica Beckwith Introduction As cloud-native architectures scale across thousands of containers and virtual machines, Java performance tuning has become more distributed, complex, and error-prone than ever. As highlighted in our public preview announcement, traditional JVM optimization relied on expert, centralized operator teams manually tuning flags and heap sizes for large application servers. This approach simply doesn’t scale in today’s highly dynamic environments, where dozens—or even hundreds—of teams deploy cloud-native JVM workloads across diverse infrastructure. To address this, Microsoft built Azure Command Launch... Nov 20, 2025 Post comments count 0 Post likes count 2 Announcing the Public Preview of Azure Command Launcher for Java Bruno Borges Today we are announcing the Public Preview of the Azure Command Launcher for Java, a new tool that helps developers, SREs, and infrastructure teams standardize and automate JVM configuration on Azure. The goal is to simplify tuning practices and reduce resource waste across Java workloads. JVM Tuning in a Cloud-Native World Before the rise of microservices, Java applications were typically deployed as Java EE artifacts (WARs or EARs) on managed application servers. Ops teams were responsible for configuring and tuning the JVM, often on powerful servers that hosted multiple applications on a single Java EE app... Nov 18, 2025 Post comments count 0 Post likes count 0 Introducing Major New Agentic Capabilities for GitHub Copilot in JetBrains and Eclipse Nick Zhu GitHub Copilot is taking a major step forward with expanded, deeply integrated support for JetBrains and Eclipse — bringing a new generation of agentic, intelligent capabilities directly into your favorite Java IDEs. This release strengthens Copilot’s cross-IDE experience, unifies agentic workflows, and unlocks more powerful automation to help developers code faster, modernize confidently, and stay in flow. New Agentic Capabilities This is the year of the agents. Developers need more control than ever—both in how they work with agents and how agents adapt to their workflows. After introducing Custom Agents in ... Nov 4, 2025 Post comments count 0 Post likes count 0 JDConf 2026 Is Coming With Modern Solutions for an Agentic World Bruno Borges Technology is accelerating faster than ever, and developers are once again at the helm, shaping the future of applications, intelligence, and enterprise systems. With the rise of large language models (LLMs), agent-oriented architectures, and AI-driven development paradigms, Java developers find themselves in a uniquely powerful position to modernize code already powering critical systems, and to build the software of tomorrow. Java remains one of the world’s most trusted languages for enterprise, cloud, mobile and mission-critical systems. As James Governor, from developer analyst firm RedMonk, recently... Oct 29, 2025 Post comments count 0 Post likes count 0 Java OpenJDK October 2025 Patch & Security Update Derek Keeler Hello Java customers! We are happy to announce the latest July 2025 patch & security update release for the Microsoft Build of OpenJDK. Download and install the binaries today. Check our release notes page for details on fixes and enhancements. The source code of our builds is available now on GitHub for further inspection: jdk25u, jdk21u, jdk17u, jdk11u. Microsoft Build of OpenJDK specific updates OpenJDK25 OpenJDK21 OpenJDK17 OpenJDK11 Summary of Upstream Updates OpenJDK 25 OpenJDK 21 OpenJDK 17 OpenJDK 11 ... Oct 28, 2025 Post comments count 0 Post likes count 0 MCP Registry and Allowlist Controls for Copilot in JetBrains and Eclipse Now in Public Preview Jialuo Gan MCP registry and allowlist controls for GitHub Copilot in JetBrains IDEs and Eclipse are now available in public preview in nightly/pre-release builds. What’s new MCP Registry An MCP Registry is a directory of Model Context Protocol (MCP) servers. For users of JetBrains IDEs and Eclipse, you can now configure your MCP Registry and browse available MCP servers directly within your IDE. This greatly streamlines setup and provides a seamless experience for discovering and managing MCP servers right from the editor. Allow List Controls As an enterprise or organization owner, you can configure an MCP Registry... Oct 28, 2025 Post comments count 0 Post likes count 1 Java and AI for Beginners: a practical video series for Java Brian Benz If you're looking for a clear, no-nonsense path into generative AI on Java, this series is for you. Microsoft's Java and AI for Beginners video series is a set of short tutorials that introduce the concepts, tooling, and patterns you need to get started at a pace that respects your time and experience. What the series covers We help you through foundational ideas first and then move into hands-on examples: Each video is short and focused. Watch them in order if you are new to the space, or skip into the topics that match your immediate needs. Integrations you w... Load more posts Popular topics Java Open Source Visual Studio Code Cloud Desktop OpenJDK Web Intelligent Apps OpenAI Copilot About Microsoft for Java Developers – Java on Azure Documentation Center – Java in Visual Studio Code – Xamarin for Java Developers – Microsoft JDBC Driver for SQL Server – Microsoft Graph SDK for Java – Minecraft Java Edition Java and OpenJDK are registered trademarks of Oracle America Inc. and/or its affiliates. Archive December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 June 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 July 2019 June 2019 May 2019 February 2019 December 2018 November 2018 May 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 Follow this blog 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 Microsoft for Java Developers Newsletter. Privacy Statement. Subscribe Sign in Theme 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:11 |
https://dev.to/ibn_abubakre/append-vs-appendchild-a4m#differences | append VS appendChild - 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 Abdulqudus Abubakre Posted on Apr 17, 2020 append VS appendChild # javascript # html This VS That (3 Part Series) 1 append VS appendChild 2 Spread VS Rest Operator 3 em VS rem This is the first post in the this vs that series. A series aimed at comparing two often confusing terms, methods, objects, definition or anything frontend related. append and appendChild are two popular methods used to add elements into the Document Object Model(DOM). They are often used interchangeably without much troubles, but if they are the same, then why not scrape one....Well they are only similar, but different. Here's how: .append() This method is used to add an element in form of a Node object or a DOMString (basically means text). Here's how that would work. // Inserting a Node object const parent = document . createElement ( ' div ' ); const child = document . createElement ( ' p ' ); parent . append ( child ); // This appends the child element to the div element // The div would then look like this <div><p></p></div> Enter fullscreen mode Exit fullscreen mode // Inserting a DOMString const parent = document . createElement ( ' div ' ); parent . append ( ' Appending Text ' ); // The div would then look like this <div>Appending Text</div> Enter fullscreen mode Exit fullscreen mode .appendChild() Similar to the .append method, this method is used to elements in the DOM, but in this case, only accepts a Node object. // Inserting a Node object const parent = document . createElement ( ' div ' ); const child = document . createElement ( ' p ' ); parent . appendChild ( child ); // This appends the child element to the div element // The div would then look like this <div><p></p></div> Enter fullscreen mode Exit fullscreen mode // Inserting a DOMString const parent = document . createElement ( ' div ' ); parent . appendChild ( ' Appending Text ' ); // Uncaught TypeError: Failed to execute 'appendChild' on 'Node': parameter 1 is not of type 'Node' Enter fullscreen mode Exit fullscreen mode Differences .append accepts Node objects and DOMStrings while .appendChild accepts only Node objects const parent = document . createElement ( ' div ' ); const child = document . createElement ( ' p ' ); // Appending Node Objects parent . append ( child ) // Works fine parent . appendChild ( child ) // Works fine // Appending DOMStrings parent . append ( ' Hello world ' ) // Works fine parent . appendChild ( ' Hello world ' ) // Throws error .append does not have a return value while .appendChild returns the appended Node object const parent = document . createElement ( ' div ' ); const child = document . createElement ( ' p ' ); const appendValue = parent . append ( child ); console . log ( appendValue ) // undefined const appendChildValue = parent . appendChild ( child ); console . log ( appendChildValue ) // <p><p> .append allows you to add multiple items while appendChild allows only a single item const parent = document . createElement ( ' div ' ); const child = document . createElement ( ' p ' ); const childTwo = document . createElement ( ' p ' ); parent . append ( child , childTwo , ' Hello world ' ); // Works fine parent . appendChild ( child , childTwo , ' Hello world ' ); // Works fine, but adds the first element and ignores the rest Conclusion In cases where you can use .appendChild , you can use .append but not vice versa. That's all for now, if there are any terms that you need me to shed more light on, you can add them in the comments section or you can reach me on twitter This VS That (3 Part Series) 1 append VS appendChild 2 Spread VS Rest Operator 3 em VS rem Top comments (26) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Ronak Jethwa Ronak Jethwa Ronak Jethwa Follow To code, or not to code Email ronakjethwa@gmail.com Location boston / seattle Education Computer Science Work Front End Engineer Joined May 6, 2020 • May 24 '20 Dropdown menu Copy link Hide Nice one! Few more suggestions for the continuation of the series! 1. Call vs Apply 2. Prototype vs __proto__ 3. Map vs Set 4. .forEach vs .map on Arrays 5. for...of vs for...in Enter fullscreen mode Exit fullscreen mode Like comment: Like comment: 12 likes Like Comment button Reply Collapse Expand Abdulqudus Abubakre Abdulqudus Abubakre Abdulqudus Abubakre Follow Front end developer, JavaScript enthusiast, Community Builder Location Abuja, Nigeria Joined Jan 3, 2020 • May 24 '20 Dropdown menu Copy link Hide Sure, will do that. Thanks Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Ronak Jethwa Ronak Jethwa Ronak Jethwa Follow To code, or not to code Email ronakjethwa@gmail.com Location boston / seattle Education Computer Science Work Front End Engineer Joined May 6, 2020 • May 24 '20 • Edited on May 24 • Edited Dropdown menu Copy link Hide happy to contribute by writing one if you need :) Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Rashid Enahora Rashid Enahora Rashid Enahora Follow Joined May 25, 2023 • Oct 20 '24 Dropdown menu Copy link Hide Thank you sir!!! That was very clear and concise!!! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Tulsi Prasad Tulsi Prasad Tulsi Prasad Follow Making software and writing about it. Email tulsi.prasad50@gmail.com Location Bhubaneswar, India Education Undergrad in Information Technology Joined Oct 12, 2019 • Apr 18 '20 Dropdown menu Copy link Hide Very consice and clear explanation, thanks! Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Abdulqudus Abubakre Abdulqudus Abubakre Abdulqudus Abubakre Follow Front end developer, JavaScript enthusiast, Community Builder Location Abuja, Nigeria Joined Jan 3, 2020 • Apr 18 '20 Dropdown menu Copy link Hide Glad I could help Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Pacharapol Withayasakpunt Pacharapol Withayasakpunt Pacharapol Withayasakpunt Follow Currently interested in TypeScript, Vue, Kotlin and Python. Looking forward to learning DevOps, though. Location Thailand Education Yes Joined Oct 30, 2019 • Apr 18 '20 Dropdown menu Copy link Hide It would be nice if you also compare the speed / efficiency. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Frupreneur Frupreneur Frupreneur Follow Joined Jan 10, 2020 • Apr 3 '22 Dropdown menu Copy link Hide "In cases where you can use .appendChild, you can use .append but not vice versa." well if you do need that return value, appendChild does the job while .append doesnt Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Ryan Zayne Ryan Zayne Ryan Zayne Follow Joined Oct 5, 2022 • Jul 21 '24 Dropdown menu Copy link Hide Would anyone ever need that return value tho? Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Mao Mao Mao Follow Joined Oct 6, 2023 • Jan 27 '25 • Edited on Jan 27 • Edited Dropdown menu Copy link Hide There's a lot of instances where you need the return value, if you need to reference it for a webapp / keep it somewhere / change its properties Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Aliyu Abubakar Aliyu Abubakar Aliyu Abubakar Follow Developer Advocate, Sendchamp. Location Nigeria Work Developer Advocate Joined Mar 15, 2020 • Apr 18 '20 Dropdown menu Copy link Hide This is straightforward Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Abdulqudus Abubakre Abdulqudus Abubakre Abdulqudus Abubakre Follow Front end developer, JavaScript enthusiast, Community Builder Location Abuja, Nigeria Joined Jan 3, 2020 • Apr 18 '20 Dropdown menu Copy link Hide Thanks man Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand mmestiyak mmestiyak mmestiyak Follow Front end dev, most of the time busy playing with JavaScript, ReactJS, NextJS, ReactNative Location Dhaka, Bangladesh Work Front End Developer at JoulesLabs Joined Aug 2, 2019 • Oct 18 '20 Dropdown menu Copy link Hide Thanks man! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Kelsie Paige Kelsie Paige Kelsie Paige Follow I'm a frontend developer with a passion for design. Education Skillcrush & 100Devs Work Freelance Joined Mar 28, 2023 • Jul 6 '23 Dropdown menu Copy link Hide Here’s the light bulb moment I’ve been looking for. You nailed it in such a clean and concise way that I could understand as I read and didn’t have to reread x10 just to sort of get the concept. That’s gold! Like comment: Like comment: Like Comment button Reply Collapse Expand Abdelrahman Hassan Abdelrahman Hassan Abdelrahman Hassan Follow Front end developer Location Egypt Education Ain shams university Work Front end developer at Companies Joined Dec 13, 2019 • Jan 23 '21 Dropdown menu Copy link Hide Excellent explanation Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Ali-alterawi Ali-alterawi Ali-alterawi Follow junior developer Joined Apr 20, 2023 • Apr 20 '23 Dropdown menu Copy link Hide thank you Like comment: Like comment: 1 like Like Comment button Reply View full discussion (26 comments) Some comments may only be visible to logged-in visitors. Sign in to view all 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 Abdulqudus Abubakre Follow Front end developer, JavaScript enthusiast, Community Builder Location Abuja, Nigeria Joined Jan 3, 2020 More from Abdulqudus Abubakre Using aria-labelledby for accessible names # webdev # a11y # html Automated Testing with jest-axe # a11y # testing # webdev # javascript Understanding Accessible Names in HTML # webdev # a11y # html 💎 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:11 |
https://dev.to/page/brightdata-challenge-v25-05-07-contest-rules | Bright Data Real-Time AI Agents Challenge Contest Rules - 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 Bright Data Real-Time AI Agents Challenge Contest Rules Contest Announcement Bright Data Real-Time AI Agents Challenge Sponsored by Dev Community Inc.(" Sponsor ") NO ENTRY FEE. NO PURCHASE NECESSARY TO ENTER OR WIN. VOID WHERE PROHIBITED. We urge you to carefully read the terms and conditions of this Contest Landing Page located here and the DEV Community Inc. General Contest Official Rules located here ("Official Rules"), incorporated herein by reference. The following contest specific details on this Contest Announcement Page, together with the Official Rules , govern your participation in the named contest defined below (the "Contest"). Sponsor does not claim ownership rights in your Entry. The Official Rules describe the rights you give to Sponsor by submitting an Entry to participate in the named Contest. In the event of a conflict between the terms of this Contest Announcement Page and the Official Rules, the Official Rules will govern and control. Contest Name : Bright Data Real-Time AI Agents Challenge Entry Period : The Contest begins on May 07, 2025 at 9:00 AM PDT and ends on May 18, 2025 May 25, 2025 at 11:59 PM PDT (the " Entry Period ") How to Enter : All entries must be submitted no later than the end of the Entry Period. You may enter the Contest during the Entry Period as follows: Visit the Contest webpage part of the DEV Community Site located here (the " Contest Page "); and Follow any instructions on the Contest Page and submit your completed entry (each an " Entry "). There is no limit on the number of Entries you may submit during the Entry Period. Required Elements for Entries : Without limiting any terms of the Official Rules, each Entry must include, at a minimum, the following elements: A published submission post on DEV that provides an overview of the app using the submission template provided on the Contest Page. A link to a deployed and functional app Judging Criteria : All qualified entries will be judged by a panel as selected by Sponsor as set forth in the Official Rules. Judges will award one winner to each prompt based on the following criteria: Utilization of Underlying Technology Usability and User Experience Accessibility Writing Quality (Clarity and Originality) 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. In the event that a participant may win two or more prompts, and the submissions are a tie, we will favor the participant that has not already won a prompt. Prize(s) : The prizes to be awarded from the Contest are as follows: Prompt Winner (1) will receive: $2,000 USD Gift Card or Equivalent Exclusive DEV Badge DEV++ Membership Participant Winner (who submits a valid and qualified entry) will receive: A completion badge on their DEV profile 💎 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:11 |
https://devblogs.microsoft.com/semantic-kernel/ | Semantic Kernel | The latest news from the Semantic Kernel team for developers 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 Semantic Kernel Semantic Kernel The latest news from the Semantic Kernel team for developers Latest posts Dec 1, 2025 Post comments count 2 Post likes count 2 The “Golden Triangle” of Agentic Development with Microsoft Agent Framework: AG-UI, DevUI & OpenTelemetry Deep Dive Kinfey Lo In the explosive era of Agentic AI, we're not just seeking more powerful models—we're searching for a development experience that lets developers actually get some sleep. When building Agents locally, we've traditionally faced three major challenges: Today, I'll walk you through a classic case from Microsoft Agent Framework Samples—GHModel.AI—to reveal the "Golden Triangle" development stack that perfectly solves these pain points: DevUI, AG-UI, and OpenTelemetry. Let's explore how this powerful combination empowers the entire local development lifecycle. Phase 1: Creation — Standing on t... Oct 23, 2025 Post comments count 2 Post likes count 0 Unlocking Enterprise AI Complexity: Multi-Agent Orchestration with the Microsoft Agent Framework Kinfey Lo The Architectural Imperative: Why Multi-Agent Orchestration is Essential In modern enterprise AI systems, the scope and complexity of real-world business challenges quickly exceed the capabilities of a single, monolithic AI Agent. Facing tasks like end-to-end customer journey management, multi-source data governance, or deep human-in-the-loop review processes, the fundamental architectural challenge shifts: How do we effectively coordinate and manage a network of specialized, atomic AI capabilities? Much like a high-performing corporation relies on specialized departments, we must transition from a single-execu... Oct 7, 2025 Post comments count 0 Post likes count 3 Semantic Kernel and Microsoft Agent Framework Shawn Henry Last week we announced Microsoft Agent Framework, you can find all the details: I'm immensely proud of the work the team that brought you AutoGen and Semantic Kernel have done to create Microsoft Agent Framework. We really think it's a great step forward in building AI agents and applications, building on all the learnings we've had from creating AutoGen and Semantic Kernel. Please give a try and give us your feedback, we think you'll like it! If you've been building and shipping on Semantic Kernel, I'm sure you have questions. I've answered the most common here but, as always, you... Aug 26, 2025 Post comments count 0 Post likes count 1 Encoding Changes for Template Arguments in Semantic Kernel Dmytro Struk In previous versions of the Semantic Kernel, the encoding of template arguments was performed automatically if the argument type was a . The encoding was not applied for custom types, anonymous types, or collections. With the latest changes, we've introduced stricter rules: if automatic encoding is enabled (the default behavior), an exception will now be thrown when complex types are used as arguments. This enforces more secure template rendering by requiring developers to handle encoding manually for complex types and explicitly disable automatic encoding for those variables. This change promotes best practic... Aug 26, 2025 Post comments count 0 Post likes count 1 Azure Authentication Changes in Semantic Kernel Python Dmytro Struk In previous versions of the Semantic Kernel Python, the default fallback authentication mechanism for Azure services like was from the Azure Identity library. This provided a convenient way to authenticate without explicitly passing credentials, especially during development. However, with the latest package version , this fallback is being removed to encourage more secure and explicit authentication practices. If your code relied on this default behavior, you may encounter errors after updating, and you'll need to make minor code adjustments to continue using credential-based authentication. This post expla... Jul 21, 2025 Post comments count 0 Post likes count 2 Guest Blog: Building Multi-Agent Solutions with Semantic Kernel and A2A Protocol Kinfey Lo In the rapidly evolving landscape of AI application development, the ability to orchestrate multiple intelligent agents has become crucial for building sophisticated, enterprise-grade solutions. While individual AI agents excel at specific tasks, complex business scenarios often require coordination between specialized agents running on different platforms, frameworks, or even across organizational boundaries. This is where the combination of Microsoft's Semantic Kernel orchestration capabilities and Agent-to-Agent (A2A) protocol creates a powerful foundation for building truly interoperable multi-agent systems. ... Jun 24, 2025 Post comments count 0 Post likes count 0 Semantic Kernel Python Gets a Major Vector Store Upgrade Eduard van Valkenburg We're excited to announce a significant update to Semantic Kernel Python's vector store implementation. Version 1.34 brings a complete overhaul that makes working with vector data simpler, more intuitive, and more powerful. This update consolidates the API, improves developer experience, and adds new capabilities that streamline AI development workflows. What Makes This Release Special? The new vector store architecture consolidates everything under and delivers three key improvements: Let's explore what makes these changes valuable. Unified Field Model - Simplified Configuration We've repla... Jun 5, 2025 Post comments count 0 Post likes count 0 Enhancing Plugin Metadata Management with SemanticPluginForge Likhan Siddiquee In the world of software development, flexibility and adaptability are key. Developers often face challenges when it comes to updating plugin metadata dynamically without disrupting services or requiring redeployment. This is where SemanticPluginForge, an open-source project, steps in to improve the way we manage plugin metadata. LLM Function Calling Feature The function calling feature in LLMs allows developers to define a set of functions that the model can invoke during a conversation. These functions are described using metadata, which includes the function name, parameters, and their descriptions. The LL... Jun 5, 2025 Post comments count 0 Post likes count 2 Smarter SK Agents with Contextual Function Selection Sergey Menshykh Smarter SK Agents with Contextual Function Selection In today's fast-paced AI landscape, developers are constantly seeking ways to make AI interactions more efficient and relevant. The new Contextual Function Selection feature in the Semantic Kernel Agent Framework is here to address this need. By dynamically selecting and advertising only the most relevant functions based on the current conversation context, this feature ensures that your AI agents are smarter, faster, and more effective than ever before. Why Contextual Function Selection Matters When dealing with a large number of available functions, AI mod... Load more posts Popular topics Semantic Kernel Announcements Announcement .NET Samples Guest Blog Python Customer Story Agents Vector Database Links Semantic Kernel Repo Semantic Kernel in Python Java Semantic Kernel Developer Learning Hub Semantic Kernel Sample Apps Semantic Kernel Office Hours Design Human-AI Experiences Toolkit Fluent UX Framework Responsible AI Principles Cognition Wallpaper 100 | 400 Archive December 2025 October 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 Follow this blog 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 Semantic Kernel Newsletter. Privacy Statement. Subscribe Sign in Theme 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:11 |
https://github.com/pinecone-io/pinecone-dotnet-client?tab=readme-ov-file#advanced | GitHub - pinecone-io/pinecone-dotnet-client: The official C# SDK for accessing the Pinecone control plane and data plane. Skip to content Navigation Menu Toggle navigation Sign in Appearance settings Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} pinecone-io / pinecone-dotnet-client Public Notifications You must be signed in to change notification settings Fork 3 Star 21 The official C# SDK for accessing the Pinecone control plane and data plane. docs.pinecone.io/reference/api License Apache-2.0 license 21 stars 3 forks Branches Tags Activity Star Notifications You must be signed in to change notification settings Code Issues 5 Pull requests 0 Actions Security Uh oh! There was an error while loading. Please reload this page . Insights Additional navigation options Code Issues Pull requests Actions Security Insights pinecone-io/pinecone-dotnet-client main Branches Tags Go to file Code Open more actions menu Folders and files Name Name Last commit message Last commit date Latest commit History 59 Commits .github/ workflows .github/ workflows .mock .mock proto proto src src .editorconfig .editorconfig .fernignore .fernignore .gitignore .gitignore CONTRIBUTING.md CONTRIBUTING.md LICENSE LICENSE README.md README.md icon.png icon.png reference.md reference.md View all files Repository files navigation README Contributing Apache-2.0 license Pinecone .NET Library The official Pinecone .NET library supporting .NET Standard, .NET Core, and .NET Framework. Requirements To use this SDK, ensure that your project is targeting one of the following: .NET Standard 2.0+ .NET Core 3.0+ .NET Framework 4.6.2+ .NET 6.0+ Installation Using the .NET Core command-line interface (CLI) tools: dotnet add package Pinecone.Client Using the NuGet Command Line Interface (CLI): nuget install Pinecone.Client Documentation API reference documentation is available here . Usage Instantiate the SDK using the Pinecone class. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) Indexes Operations related to the building and managing of Pinecone indexes are called control plane operations. Create index You can use the .NET SDK to create two types of indexes: Serverless indexes (recommended for most use cases) Pod-based indexes (recommended for high-throughput use cases). Create a serverless index The following is an example of creating a serverless index in the us-east-1 region of AWS. For more information on serverless and regional availability, see Understanding indexes . using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = await pinecone . CreateIndexAsync ( new CreateIndexRequest { Name = "example-index" , Dimension = 1538 , Metric = MetricType . Cosine , Spec = new ServerlessIndexSpec { Serverless = new ServerlessSpec { Cloud = ServerlessSpecCloud . Azure , Region = "eastus2" , } } , DeletionProtection = DeletionProtection . Enabled } ) ; Create a pod-based index The following is a minimal example of creating a pod-based index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = await pinecone . CreateIndexAsync ( new CreateIndexRequest { Name = "example-index" , Dimension = 1538 , Metric = MetricType . Cosine , Spec = new PodIndexSpec { Pod = new PodSpec { Environment = "eastus-azure" , PodType = "p1.x1" , Pods = 1 , Replicas = 1 , Shards = 1 , } } , DeletionProtection = DeletionProtection . Enabled } ) ; List indexes The following example returns all indexes (and their corresponding metadata) in your project. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var indexesInYourProject = await pinecone . ListIndexesAsync ( ) ; Delete an index The following example deletes an index by name. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; await pinecone . DeleteIndexAsync ( "example-index" ) ; Describe an index The following example returns metadata about an index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var indexModel = await pinecone . DescribeIndexAsync ( "example-index" ) ; Scale replicas The following example changes the number of replicas for an index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var indexMetadata = await pinecone . ConfigureIndexAsync ( "example-index" , new ConfigureIndexRequest { Spec = new ConfigureIndexRequestSpec { Pod = new ConfigureIndexRequestSpecPod { Replicas = 2 , PodType = "p1.x1" , } } } ) ; Note that scaling replicas is only applicable to pod-based indexes. Describe index statistics The following example returns statistics about an index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var indexStatsResponse = await index . DescribeIndexStatsAsync ( new DescribeIndexStatsRequest ( ) ) ; Upsert vectors Operations related to the indexing, deleting, and querying of vectors are called data plane operations. The following example upserts vectors to example-index . using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var upsertIds = new [ ] { "v1" , "v2" , "v3" } ; float [ ] [ ] values = [ [ 1.0f , 2.0f , 3.0f ] , [ 4.0f , 5.0f , 6.0f ] , [ 7.0f , 8.0f , 9.0f ] ] ; uint [ ] [ ] sparseIndices = [ [ 1 , 2 , 3 ] , [ 4 , 5 , 6 ] , [ 7 , 8 , 9 ] ] ; float [ ] [ ] sparseValues = [ [ 1000f , 2000f , 3000f ] , [ 4000f , 5000f , 6000f ] , [ 7000f , 8000f , 9000f ] ] ; var metadataStructArray = new [ ] { new Metadata { [ "genre" ] = "action" , [ "year" ] = 2019 } , new Metadata { [ "genre" ] = "thriller" , [ "year" ] = 2020 } , new Metadata { [ "genre" ] = "comedy" , [ "year" ] = 2021 } , } ; var vectors = new List < Vector > ( ) ; for ( var i = 0 ; i <= 2 ; i ++ ) { vectors . Add ( new Vector { Id = upsertIds [ i ] , Values = values [ i ] , SparseValues = new SparseValues { Indices = sparseIndices [ i ] , Values = sparseValues [ i ] , } , Metadata = metadataStructArray [ i ] , } ) ; } var upsertResponse = await index . UpsertAsync ( new UpsertRequest { Vectors = vectors } ) ; Query an index The following example queries the index example-index with metadata filtering. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var queryResponse = await index . QueryAsync ( new QueryRequest { Namespace = "example-namespace" , Vector = new [ ] { 0.1f , 0.2f , 0.3f , 0.4f } , TopK = 10 , IncludeValues = true , IncludeMetadata = true , Filter = new Metadata { [ "genre" ] = new Metadata { [ "$in" ] = new [ ] { "comedy" , "documentary" , "drama" } , } } } ) ; Query sparse-dense vectors The following example queries an index using a sparse-dense vector: using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var queryResponse = await index . QueryAsync ( new QueryRequest { TopK = 10 , Vector = new [ ] { 0.1f , 0.2f , 0.3f } , SparseVector = new SparseValues { Indices = [ 10 , 45 , 16 ] , Values = new [ ] { 0.5f , 0.5f , 0.2f } , } } ) ; Delete vectors The following example deletes vectors by ID. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var deleteResponse = await index . DeleteAsync ( new DeleteRequest { Ids = [ "v1" ] , Namespace = "example-namespace" , } ) ; The following example deletes all records in a namespace and the namespace itself: using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var deleteResponse = await index . DeleteAsync ( new DeleteRequest { DeleteAll = true , Namespace = "example-namespace" , } ) ; Fetch vectors The following example fetches vectors by ID. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var fetchResponse = await index . FetchAsync ( new FetchRequest { Ids = [ "v1" ] , Namespace = "example-namespace" , } ) ; List vector IDs The following example lists up to 100 vector IDs from a Pinecone index. The following demonstrates how to use the list endpoint to get vector IDs from a specific namespace, filtered by a given prefix. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var listResponse = await index . ListAsync ( new ListRequest { Namespace = "example-namespace" , Prefix = "prefix-" , } ) ; Update vectors The following example updates vectors by ID. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var updateResponse = await index . UpdateAsync ( new UpdateRequest { Id = "vec1" , Values = new [ ] { 0.1f , 0.2f , 0.3f , 0.4f } , SetMetadata = new Metadata { [ "genre" ] = "drama" } , Namespace = "example-namespace" , } ) ; Namespaces Namespaces live inside your indexes. You don't need to create them before using them. Simply upsert records to a namespace and it will be created automatically. List namespaces The following example lists all namespaces in the index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var namespaces = await index . ListNamespacesAsync ( new ListNamespacesRequest ( ) ) ; foreach ( var @namespace in namespaces . Namespaces ) { Console . WriteLine ( $ "Namespace: { @namespace . Name } " ) ; Console . WriteLine ( $ "Record Count: { @namespace . RecordCount } " ) ; } Describe a namespace The following example describes a namespace. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; var @namespace = await index . DescribeNamespaceAsync ( "namespace-name" ) ; Console . WriteLine ( $ "Namespace: { @namespace . Name } " ) ; Console . WriteLine ( $ "Record Count: { @namespace . RecordCount } " ) ; Delete a namespace The following example deletes a namespace. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "example-index" ) ; await index . DeleteNamespaceAsync ( "namespace-name" ) ; Backups Backup an index The following example creates a backup of an index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var backup = await pinecone . Backups . BackupIndexAsync ( "index-name" , new BackupIndexRequest ( ) ) ; Restore a backup The following example restores a backup of an index, which creates a restore job. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var response = await pinecone . Backups . CreateIndexFromBackupAsync ( "backup-id" , new CreateIndexFromBackupRequest { Name = "new-index-name" } ) ; Console . WriteLine ( $ "Restore Job ID: { response . RestoreJobId } " ) ; Console . WriteLine ( $ "New Index ID: { response . IndexId } " ) ; Get a backup The following example describes a backup. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var backup = await pinecone . Backups . GetAsync ( "backup-id" ) ; List backups The following example lists all backups. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var backups = await pinecone . Backups . ListAsync ( ) ; foreach ( var backup in backups . Data ) { Console . WriteLine ( $ "BackupId: { backup . BackupId } " ) ; Console . WriteLine ( $ "Name: { backup . Name } " ) ; Console . WriteLine ( $ "CreatedAt: { backup . CreatedAt } " ) ; Console . WriteLine ( $ "Status: { backup . Status } " ) ; Console . WriteLine ( $ "RecordCount: { backup . RecordCount } " ) ; } List backups by index The following example lists backups for a specific index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var backups = await pinecone . Backups . ListByIndexAsync ( "index-name" , new ListBackupsByIndexRequest ( ) ) ; foreach ( var backup in backups . Data ) { Console . WriteLine ( $ "BackupId: { backup . BackupId } " ) ; Console . WriteLine ( $ "Name: { backup . Name } " ) ; Console . WriteLine ( $ "CreatedAt: { backup . CreatedAt } " ) ; Console . WriteLine ( $ "Status: { backup . Status } " ) ; Console . WriteLine ( $ "RecordCount: { backup . RecordCount } " ) ; } Delete backup The following example deletes a backup. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; await pinecone . Backups . DeleteAsync ( "backup-id" ) ; List restore jobs using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var jobs = await pinecone . RestoreJobs . ListAsync ( new ListRestoreJobsRequest ( ) ) ; foreach ( var job in jobs . Data ) { Console . WriteLine ( $ "Restore Job ID: { job . RestoreJobId } " ) ; Console . WriteLine ( $ "Status: { job . Status } " ) ; Console . WriteLine ( $ "CreatedAt: { job . CreatedAt } " ) ; Console . WriteLine ( $ "TargetIndexName: { job . TargetIndexName } " ) ; } Get restore job using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var job = await pinecone . RestoreJobs . GetAsync ( "job-id" ) ; Console . WriteLine ( $ "Restore Job ID: { job . RestoreJobId } " ) ; Console . WriteLine ( $ "Status: { job . Status } " ) ; Console . WriteLine ( $ "CreatedAt: { job . CreatedAt } " ) ; Console . WriteLine ( $ "TargetIndexName: { job . TargetIndexName } " ) ; Collections Collections fall under data plane operations. Create a collection The following creates a collection. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var collectionModel = await pinecone . CreateCollectionAsync ( new CreateCollectionRequest { Name = "example-collection" , Source = "example-index" , } ) ; List collections The following example returns a list of the collections in the current project. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var collectionList = await pinecone . ListCollectionsAsync ( ) ; Describe a collection The following example returns a description of the collection. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var collectionModel = await pinecone . DescribeCollectionAsync ( "example-collection" ) ; Delete a collection The following example deletes the collection example-collection . using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; await pinecone . DeleteCollectionAsync ( "example-collection" ) ; Inference Embed The Pinecone SDK now supports creating embeddings via the Inference API . using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; // Prepare input sentences to be embedded List < EmbedRequestInputsItem > inputs = [ new ( ) { Text = "The quick brown fox jumps over the lazy dog." } , new ( ) { Text = "Lorem ipsum" } ] ; // Specify the embedding model and parameters var embeddingModel = "multilingual-e5-large" ; // Generate embeddings for the input data var embeddings = await pinecone . Inference . EmbedAsync ( new EmbedRequest { Model = embeddingModel , Inputs = inputs , Parameters = new Dictionary < string , object ? > { [ "input_type" ] = "query" , [ "truncate" ] = "END" } } ) ; // Get embedded data var embeddedData = embeddings . Data ; There are two different types of embeddings generated depending on the model that you use: Dense: represented by the DenseEmbedding class Sparse: represented by the SparseEmbedding class You can check the type of embedding using the VectorType property or using the IsDense and IsSparse properties. Once you know the type of the embedding, you can get the appropriate type using the AsDense() and AsSparse() methods. var embedding = embeddedData . First ( ) ; if ( embedding . VectorType == VectorType . Dense ) { var denseEmbedding = embedding . AsDense ( ) ; // Use dense embedding } else if ( embedding . VectorType == VectorType . Sparse ) { var sparseEmbedding = embedding . AsSparse ( ) ; // Use sparse embedding } Rerank The following example shows how to rerank items according to their relevance to a query. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; // The model to use for reranking var model = "bge-reranker-v2-m3" ; // The query to rerank documents against var query = "The tech company Apple is known for its innovative products like the iPhone." ; // Add the documents to rerank var documents = new List < Dictionary < string , object > > { new ( ) { [ "id" ] = "vec1" , [ "my_field" ] = "Apple is a popular fruit known for its sweetness and crisp texture." } , new ( ) { [ "id" ] = "vec2" , [ "my_field" ] = "Many people enjoy eating apples as a healthy snack." } , new ( ) { [ "id" ] = "vec3" , [ "my_field" ] = "Apple Inc. has revolutionized the tech industry with its sleek designs and user-friendly interfaces." } , new ( ) { [ "id" ] = "vec4" , [ "my_field" ] = "An apple a day keeps the doctor away, as the saying goes." } } ; // The fields to rank the documents by. If not provided, the default is "text" var rankFields = new List < string > { "my_field" } ; // The number of results to return sorted by relevance. Defaults to the number of inputs var topN = 2 ; // Whether to return the documents in the response var returnDocuments = true ; // Additional model-specific parameters for the reranker var parameters = new Dictionary < string , object > { [ "truncate" ] = "END" } ; // Send ranking request var result = await pinecone . Inference . RerankAsync ( new RerankRequest { Model = model , Query = query , Documents = documents , RankFields = rankFields , TopN = topN , Parameters = parameters } ) ; // Get ranked data var data = result . Data ; Models The following example shows how to list all available models. using Pinecone ; using Pinecone . Inference ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var models = await pinecone . Inference . Models . ListAsync ( new ListModelsRequest ( ) ) ; foreach ( var model in models . Models ) { Console . WriteLine ( $ "Name: { model . Model } " ) ; Console . WriteLine ( $ "Type: { model . Type } " ) ; Console . WriteLine ( $ "Vector type: { model . VectorType } " ) ; } The following example shows how to get a specific model. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var model = await pinecone . Inference . Models . GetAsync ( "pinecone-sparse-english-v0" ) ; Console . WriteLine ( $ "Name: { model . Model } " ) ; Console . WriteLine ( $ "Type: { model . Type } " ) ; Console . WriteLine ( $ "Vector type: { model . VectorType } " ) ; Imports Start an import The following example initiates an asynchronous import of vectors from object storage into the index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "PINECONE_INDEX_NAME" ) ; var uri = "s3://path/to/file.parquet" ; var response = await index . StartBulkImportAsync ( new StartImportRequest { Uri = uri , IntegrationId = "123-456-789" , ErrorMode = new ImportErrorMode { OnError = ImportErrorModeOnError . Continue } } ) ; List imports The following example lists all recent and ongoing import operations for the specified index. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "PINECONE_INDEX_NAME" ) ; var imports = await index . ListBulkImportsAsync ( new ListBulkImportsRequest { Limit = 100 , PaginationToken = "some-pagination-token" } ) ; Describe an import The following example retrieves detailed information about a specific import operation using its unique identifier. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "PINECONE_INDEX_NAME" ) ; var importDetails = await index . DescribeBulkImportAsync ( "1" ) ; Cancel an import The following example attempts to cancel an ongoing import operation using its unique identifier. using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" ) ; var index = pinecone . Index ( "PINECONE_INDEX_NAME" ) ; var cancelResponse = await index . CancelBulkImportAsync ( "2" ) ; Advanced Control Plane Client Options Control Plane endpoints are accessed via standard HTTP requests. You can configure the following HTTP client options: MaxRetries : The maximum number of times the client will retry a failed request. Default is 2 . Timeout : The time limit for each request before it times out. Default is 30 seconds . BaseUrl : The base URL for all requests. HttpClient : The HTTP client to be used for all requests. IsTlsEnabled : The client will default to using HTTPS if true , and to HTTP if false . Default is true . Example usage: var pinecone = new PineconeClient ( "PINECONE_API_KEY" , new ClientOptions { MaxRetries = 3 , Timeout = TimeSpan . FromSeconds ( 60 ) , HttpClient = .. . , // Override the Http Client BaseUrl = .. . , // Override the Base URL IsTlsEnabled = true } ) ; Configuring HTTP proxy for both control and data plane operations If your network setup requires you to interact with Pinecone via a proxy, you need to configure the HTTP client accordingly. using System . Net ; using Pinecone ; var pinecone = new PineconeClient ( "PINECONE_API_KEY" , new ClientOptions { HttpClient = new HttpClient ( new HttpClientHandler { Proxy = new WebProxy ( "PROXY_HOST:PROXY_PORT" ) } ) } ) ; If you're building your HTTP client using the HTTP client factory , you can use the ConfigurePrimaryHttpMessageHandler method to configure the proxy. . ConfigurePrimaryHttpMessageHandler ( ( ) => new HttpClientHandler { Proxy = new WebProxy ( "PROXY_HOST:PROXY_PORT" ) } ) ; Data Plane gRPC Options Data Plane endpoints are accessed via gRPC. You can configure the Pinecone client with gRPC channel options for advanced control over gRPC communication settings. These options allow you to customize various aspects like message size limits, retry attempts, credentials, and more. Example usage: var pinecone = new PineconeClient ( "PINECONE_API_KEY" , new ClientOptions { GrpcOptions = new GrpcChannelOptions { MaxRetryAttempts = 5 , MaxReceiveMessageSize = 4 * 1024 * 1024 // 4 MB // Additional configuration options... } } ) ; Exception handling When the API returns a non-zero status code, (4xx or 5xx response), a subclass of PineconeException will be thrown: try { pinecone . CreateIndexAsync ( .. . ) ; } catch ( PineconeException e ) { Console . WriteLine ( e . Message ) } Contributing While we value open-source contributions to this SDK, this library is generated programmatically. Additions made directly to this library would have to be moved over to our generation code, otherwise they would be overwritten upon the next generated release. Feel free to open a PR as a proof of concept, but know that we will not be able to Pinecone it as-is. We suggest opening an issue first to discuss with us! On the other hand, contributions to the README are always very welcome! About The official C# SDK for accessing the Pinecone control plane and data plane. docs.pinecone.io/reference/api Topics pinecone csharp-client built-with-fern generated-from-proto Resources Readme License Apache-2.0 license Contributing Contributing Uh oh! There was an error while loading. Please reload this page . Activity Custom properties Stars 21 stars Watchers 9 watching Forks 3 forks Report repository Releases 9 v4.0.2 Latest Jun 17, 2025 + 8 releases Packages 0 No packages published Uh oh! There was an error while loading. Please reload this page . Contributors 6 Uh oh! There was an error while loading. Please reload this page . Languages C# 100.0% Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time. | 2026-01-13T08:48:11 |
https://devblogs.microsoft.com/devops/ | Azure DevOps 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 Azure DevOps Blog Azure DevOps Blog DevOps, Git, and Agile updates from the team building Azure DevOps Latest posts Dec 22, 2025 Post comments count 0 Post likes count 1 The New Test Run Hub is Going Generally Available! Panagiotis Liaros Delivering high-quality software requires clarity, speed, and collaboration. That’s why we introduced the New Test Run Hub in Azure Test Plans. A modern, streamlined experience designed to make test execution and analysis fast and intuitive. And we’re excited to announce that this experience is moving to General Availability (GA) for the Azure DevOps Services throughout January 2026. Why the New Test Run Hub? The new hub centralizes test execution for both manual and automated runs, giving teams: Your Feedback Matters Based on your feedback, we’ve made several improvements ahead of General Availabi... Dec 19, 2025 Post comments count 2 Post likes count 2 Work item linking for Advanced Security alerts now available Laura Jiang Security vulnerabilities don't fix themselves. Someone needs to track them, prioritize them, and actually ship the fix. If you've ever tried to manage security alerts alongside your regular sprint work, though, you know the friction: you're looking at an alert in one tab, switching to your backlog in another, trying to remember which vulnerability you were supposed to file a bug for. We shipped work item linking for GitHub Advanced Security for Azure DevOps alerts to fix this. It's now generally available and it does exactly what it sounds like: you can link work items in Boards directly to security alerts. Note... Dec 16, 2025 Post comments count 0 Post likes count 8 Azure Boards integration with GitHub Copilot Dan Hellem A few months ago we introduced the Azure Boards integration with GitHub Copilot in private preview. The goal was simple: allow teams to take a work item from Azure Boards and send it directly to GitHub Copilot so the coding agent could begin working on it, track progress, and generate a pull request. We are happy to announce that this integration is now being rolled out as generally available 🎉. Customers who participated in the preview helped us validate the experience, find issues, and shape improvements. GA includes the same workflow introduced in preview, along with new capabilities based on customer feedbac... Dec 12, 2025 Post comments count 1 Post likes count 4 Retirement of Global Personal Access Tokens in Azure DevOps Angel Wong In the new year, we’ll be retiring the Global Personal Access Token (PAT) type in Azure DevOps. Global PATs allow users to authenticate across all accessible organizations. While this can feel convenient, a single credential with broad reach creates a concentrated security risk — especially as a user’s access footprint grows. This level of privilege becomes an attractive target for bad actors, making global tokens unsuitable for today’s security‑conscious environments. Setting clear boundaries around high‑impact credentials is one of the most effective ways to prevent large‑scale breaches. As part of Microsof... Dec 9, 2025 Post comments count 21 Post likes count 5 Announcing Azure DevOps Server General Availability Gloridel Morales We’re thrilled to announce that Azure DevOps Server is now generally available (GA)! This release marks the transition from the Release Candidate (RC) phase to full production readiness, delivering enterprise-grade DevOps capabilities for organizations that prefer self-hosted solutions. You can upgrade directly from Azure DevOps Server RC or any supported version of Team Foundation Server (TFS 2015 and newer). Head over to the release notes for a complete breakdown of changes included with this release. Note: Team Foundation Server 2015 reached the end of Extended Support on October 14, 2025. We strongly rec... Nov 18, 2025 Post comments count 6 Post likes count 8 Azure DevOps and GitHub Repositories — Next Steps in the Path to Agentic AI Rajesh Ramamurthy In May, we talked about the evolution of GitHub Copilot from a coding assistant into an AI powered peer programmer. Since then, GitHub has taken a major step forward - becoming an open platform for agentic development, where Agent HQ enables developers to orchestrate any agent, anytime, anywhere. Agent HQ provides observability, governance, and security controls for agents, so organizations can manage access, audit usage, and enforce policies. Meanwhile, the new GitHub Code Quality (in public preview) provides in-context findings, maintainability scores, and one-click fixes—helping teams ensure their code is heal... Nov 11, 2025 Post comments count 8 Post likes count 2 November Patches for Azure DevOps Server Gloridel Morales Today we are releasing patches that impact our self-hosted product, Azure DevOps Server. We strongly encourage and recommend that all customers use the latest, most secure release of Azure DevOps Server. You can download the latest version of the product, Azure DevOps Server 2022.2 from the Azure DevOps Server download page. Azure DevOps Server 2022.2 Patch 7 Release notes If you have Azure DevOps Server 2022.2, you should install Azure DevOps Server 2022.2 Patch 7 to have the most secure and updated product experience. With this patch we are fixing the following: Verifying Installation Run , is the... Nov 4, 2025 Post comments count 0 Post likes count 6 Azure Developer CLI: Azure Container Apps Dev-to-Prod Deployment with Layered Infrastructure PuiChee (PC) Chan This post walks through how to implement "build once, deploy everywhere" patterns using Azure Container Apps with the new and layered infrastructure features in Azure Developer CLI v1.20.0. You'll learn how to deploy the same containerized application across multiple environments with proper separation of concerns. This is the third installment in our Azure Developer CLI series, building on our previous explorations: - Azure App Service and GitHub Actions - Azure DevOps Pipelines Build once, deploy everywhere The challenge we're solving If you've worked with containers in production, you've probably run into... Oct 18, 2025 Post comments count 118 Post likes count 17 Upcoming Updates for Azure Pipelines Agents Images Shubham, Eric To ensure our hosted agents in Azure Pipelines are operating in the most secure and up-to-date environments, we continuously update the supported images and phase out older ones. In October 2024, we announced support for Ubuntu-24.04. Soon, we plan to update the ubuntu-latest image to map to Ubuntu-24.04. Additionally, MacOS 15 Sequoia and Windows 2025 images will be generally available later this year. Alongside these new releases, we will deprecate older images like Ubuntu-20.04 and Windows Server 2019. Please refer to the following subsections for detailed updates on individual images. Ubuntu Ubuntu 24.04 ... Load more posts Popular topics DevOps Azure & Cloud Community Azure DevOps Server CI/CD Git & Version Control Agile Test Open Source Security Top Bloggers Gloridel Morales Senior Technical Program Manager Dan Hellem Product Manager for Azure Boards Angel Wong Product Manager PuiChee (PC) Chan Laura Jiang Relevant Links Learn more about Azure DevOps Azure DevOps Feature Timeline Documentation DevOps at Microsoft Visual Studio blog Archive December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 March 2015 February 2015 January 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 September 2013 August 2013 July 2013 June 2013 May 2013 April 2013 March 2013 February 2013 January 2013 December 2012 November 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 December 2011 November 2011 October 2011 September 2011 August 2011 July 2011 June 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 August 2010 July 2010 June 2010 May 2010 April 2010 March 2010 April 2009 October 2008 May 2008 April 2008 December 2007 November 2007 October 2007 September 2007 August 2007 July 2007 June 2007 April 2007 March 2007 February 2007 January 2007 November 2006 October 2006 September 2006 August 2006 July 2006 June 2006 May 2006 April 2006 March 2006 January 2006 December 2005 June 2005 May 2005 Follow this blog 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 Azure DevOps Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:11 |
https://dev.to/ebmeexpo/clinical-engineering-training-for-safer-healthcare-systems-hpp | Clinical Engineering Training for Safer Healthcare Systems - 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 EBME Expo Ltd Posted on Jan 9 Clinical Engineering Training for Safer Healthcare Systems # learning # career Introduction Clinical engineering training sits at the heart of safe, reliable healthcare, even though it rarely receives public attention. Every scan completed, monitor trusted, and device maintained depends on engineers who understand both technology and clinical risk. In the UK, where healthcare systems face rising demand, ageing equipment, and strict regulation, training is not a one-off exercise. It is an ongoing process shaped by real working conditions. This blog is written for professionals who work with medical equipment, systems, and technical teams. It reflects practical industry understanding, informed by years of writing about industrial AR/VR, applied engineering, and technical training rather than academic theory. Target Audience This article is intended for: Clinical and biomedical engineers NHS engineering and estates teams Healthcare technology managers Medical device service professionals Training leads and technical educators AR/VR developers involved in healthcare learning The content uses UK English, with a tone suited to professionals working within UK healthcare environments. What Clinical Engineering Training Covers Today At a basic level, clinical engineering training prepares professionals to manage and maintain medical devices safely. In practice, it extends far beyond technical manuals. Engineers must understand how equipment fits into clinical workflows, how faults affect patient care, and how to communicate risk clearly. Training commonly includes: Medical device safety and testing Preventive maintenance planning Fault diagnosis under time pressure Documentation and audit readiness Understanding regulatory guidance As devices become more software-driven, training now also includes system configuration, updates, and basic data security awareness. Why Training Standards Matter in Healthcare Healthcare engineering does not allow room for guesswork. Poorly trained staff increase the risk of equipment failure, delayed treatment, and compliance issues. In the UK, these risks are closely linked to inspection outcomes, patient safety reports, and operational cost. Effective clinical engineering training supports: Reduced equipment downtime More consistent maintenance practice Improved communication with clinical staff Safer patient environments Training also supports engineers themselves, giving them confidence when making decisions that affect patient care. Classroom Learning Versus Real Practice Traditional classroom training still plays an important role, especially for learning standards and theory. However, many engineers find that real understanding comes from applied experience. Modern clinical engineering training often blends: Instructor-led sessions Hands-on workshops Scenario-based exercises Supervised on-the-job learning This mix reflects the realities of hospital environments, where devices cannot always be taken offline for training purposes. The Growing Role of AR and VR in Training From an industrial AR/VR perspective, healthcare engineering has become a strong candidate for immersive learning. Physical access to equipment is limited, and mistakes carry risk. AR and VR support training by allowing: Safe practice on complex systems Repetition without damaging equipment Visual guidance during maintenance tasks Standardised learning across multiple sites While not a replacement for hands-on work, immersive tools complement existing clinical engineering training methods, especially for complex or high-risk equipment. Learning Beyond the Hospital Setting Training does not only take place inside healthcare facilities. Industry events and shared learning environments also play an important role. For example, a Biomedical Engineering Exhibition offers engineers a chance to: View equipment outside clinical pressure Ask detailed technical questions Compare service and support models Learn from peer discussions These environments support informal learning that structured courses may not provide. Training for Early-Career Clinical Engineers For those entering the profession, training shapes habits that last for years. Early programmes should focus on more than technical skills. Effective early clinical engineering training includes: Understanding escalation pathways Clear documentation standards Communication with clinical teams Awareness of personal responsibility Without this foundation, engineers often learn through trial and error, which can introduce inconsistency. Ongoing Training for Experienced Staff Training does not stop after the first few years. Experienced engineers face new challenges as technology evolves. Advanced clinical engineering training often focuses on: Software-led diagnostic systems Integration across departments Leadership and mentoring skills Interpreting updated guidance Continued learning helps experienced staff remain confident and effective, particularly when supporting junior colleagues. Measuring the Value of Training One challenge for managers is proving that training makes a difference. However, its impact can be observed through: Reduced service calls Fewer incident reports Improved audit results Higher staff retention When training is treated as an operational investment rather than an expense, its value becomes clearer over time. Voices from the Field “Good clinical engineering training doesn’t remove problems. It prepares you to respond calmly when they appear.” This view reflects why practical, experience-led learning remains central to healthcare engineering. Conclusion Clinical engineering training remains essential because healthcare technology continues to grow in complexity. Training supports safe practice, confident decision-making, and reliable system performance in environments where failure is not an option. For UK healthcare providers, investing in structured, practical training is not about keeping pace with trends. It is about ensuring that equipment, systems, and people work together effectively to support patient care every day. Frequently Asked Questions (FAQ) What is clinical engineering training? It is professional education focused on managing, maintaining, and assessing medical equipment used in healthcare settings. Who needs clinical engineering training? Clinical engineers, biomedical engineers, technicians, and healthcare technology managers all benefit from structured training. Is training different in the UK? Yes. UK training reflects NHS systems, MHRA guidance, and local compliance requirements. Does training include digital systems? Increasingly, yes. Software, connectivity, and data awareness are now common topics. How often should training be updated? Most professionals aim for continuous learning, with formal updates when new equipment or guidance is introduced. 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 EBME Expo Ltd Follow The EBME Expo Ltd is the UK’s leading medical equipment exhibition and conference that serves as a hub for healthcare technology professionals. https://www.ebme-expo.com/ Joined Jul 9, 2024 Trending on DEV Community Hot I Built a Game Engine from Scratch in C++ (Here's What I Learned) # programming # gamedev # learning # cpp How to Crack Any Software Developer Interview in 2026 (Updated for AI & Modern Hiring) # softwareengineering # programming # career # interview Top 7 Featured DEV Posts of the Week # top7 # discuss 💎 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:11 |
https://dev.to/devteam/congrats-to-the-redis-ai-challenge-winners-2f2j | Congrats to the Redis AI Challenge Winners! - 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 Jess Lee for The DEV Team Posted on Aug 21, 2025 Congrats to the Redis AI Challenge Winners! # redischallenge # devchallenge # database # ai Update #2: We have re-evaluated our submissions for "Real-Time AI Innovators" selected a new winner shared below. Thanks everyone for your patience and apologies for the confusion and frustration this has caused. Update #1: We are in the process of to re-evaluating submissions for the Real-Time AI Innovators prompt. We will update this post when a final decision has been made. Thank you all for your patience! The wait is over! We are thrilled to announce the winners of the Redis AI Challenge . We saw everything from AI-powered news aggregation platforms that deliver personalized content to forum backends using Redis as a primary database to combat spam. We even saw a reimagined version of the "Plants vs. Zombies" game, running its entire backend on Redis. The sheer diversity of projects showed off the community's ingenuity and truly pushed the boundaries of what's possible with real-time data platforms. We hope you had a blast working on your project and are proud of what you created, regardless of whether you're taking home a prize. Without further ado, here are our winners. Congratulations To… DSA Interview Ready @divyasinghdev 's voice-based AI-powered interview prep assistant helps students practice speaking their DSA logic out loud, just like in real tech interviews. 🚀🎯 Speak Your Logic, Get Hired: The AI-Powered DSA Prep Aid You Didn’t Know You Needed 🎙️🤖🔥 Divya ・ Aug 7 #redischallenge #devchallenge #database #ai We love that DSA Interview Ready helps candidates communicate under pressure, a part of the interview process that's typically very difficult to train for. Redis Place: Building r/place with 9 Redis Data Structures We were blown away by @mehdi 's "Redis Place," a collaborative real-time pixel art canvas inspired by Reddit's r/place. We love that every single feature is powered by Redis as the primary database, with no traditional database in sight. Redis Place: Building r/place with 9 Redis Data Structures Mehdi Amrane ・ Aug 11 #redischallenge #devchallenge #database #ai From real-time collaboration with instant pixel updates to an analytics dashboard and even a time-travel replay system, "Redis Place" is a phenomenal example of what Redis can do far beyond caching. Our two prompt winners will each receive $1,500 USD, a DEV++ Membership, and an exclusive DEV badge. All participants will receive a completion badge for their fantastic work! Our Sponsor A huge thank you to Redis for making this challenge possible. Their powerful platform makes it possible to create the ultra-fast, AI-enhanced experiences that users now expect and we hope you continue building with them! What’s Next? We always have lots of challenges going on so be sure to check our challenge page and follow the tag to stay up-to-date: # devchallenge Follow This is the official tag for submissions and announcements related to DEV Challenges. We hope you had fun, felt challenged, and learned a thing or two. See you next time! Interested in being a volunteer judge for future challenges? Learn more here ! Top comments (25) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Mehdi Amrane Mehdi Amrane Mehdi Amrane Follow Joined Apr 10, 2020 • Aug 21 '25 Dropdown menu Copy link Hide Oh wow,I didn't expect to win this challenge since i've seen so many good submissions! Thanks to the jury, and congrats to everyone who participated! Like comment: Like comment: 10 likes Like Comment button Reply Collapse Expand Divya Divya Divya Follow A curious lifelong learner, currently a full-time Masters student persuing Computer Science stream. Enthusiastic about development. Joined Jul 9, 2022 • Aug 21 '25 Dropdown menu Copy link Hide I had a great time working with Redis for this project. Thank you Dev.to for another incredible challenge. Thank you to the mods @jess , @ben for all the hardwork you do. Checking all the submissions, all the timely updates, notifications and helping us out when we reach out. Like comment: Like comment: 6 likes Like Comment button Reply Collapse Expand Ben Halpern The DEV Team Ben Halpern The DEV Team Ben Halpern Follow A Canadian software developer who thinks he’s funny. Email ben@forem.com Location NY Education Mount Allison University Pronouns He/him Work Co-founder at Forem Joined Dec 27, 2015 • Aug 21 '25 Dropdown menu Copy link Hide Congrats! Really impressive submissions. Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Varshith V Hegde Varshith V Hegde Varshith V Hegde Follow A simple programmer fond of learning Email varshithvh@gmail.com Location Mangalore Education Mangalore Institute of Technology and Engineering Work Software Engineer@KPIT Joined Jun 30, 2022 • Aug 21 '25 Dropdown menu Copy link Hide Hi @ben , Have one doubt that i thought two winners will be selected from 2 different categories like one prompt one winner but in this case both the winners were prompted for Beyond the cache ? Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand marcosomma marcosomma marcosomma Follow I'm Marco Somma, a cognitive systems architect, technologist, and builder of modular reasoning tools. I’m the creator of OrKa – an open framework for orchestrating explainable AI agents. Email marcosomma.work@gmail.com Location Barcelona, Spain Education Not at all Work AI Engineer Joined Apr 18, 2025 • Aug 21 '25 • Edited on Aug 21 • Edited Dropdown menu Copy link Hide Yep there was supposed to have different categories winners... no? I was actually apply to "Real-Time AI Innovators". @ben No winners came out from that category? Like comment: Like comment: 6 likes Like Thread Thread Varshith V Hegde Varshith V Hegde Varshith V Hegde Follow A simple programmer fond of learning Email varshithvh@gmail.com Location Mangalore Education Mangalore Institute of Technology and Engineering Work Software Engineer@KPIT Joined Jun 30, 2022 • Aug 21 '25 • Edited on Aug 21 • Edited Dropdown menu Copy link Hide Just to confirm i checked previous challenges and there they were choosing winners based on prompt categories Like comment: Like comment: 2 likes Like Thread Thread Jess Lee The DEV Team Jess Lee The DEV Team Jess Lee Follow Building DEV and Forem with everyone here. Interested in the future. Email jess@forem.com Location USA / TAIWAN Pronouns she/they Work Co-Founder & COO at Forem Joined Jul 29, 2016 • Aug 21 '25 • Edited on Aug 21 • Edited Dropdown menu Copy link Hide Hey @varshithvhegde , @marcosomma , and @fm , Even though KeyPilot was submitted for "Beyond the Cache", the project clearly qualified for both prompts and excelled as a Real-Time AI Innovators submission. The template requirements were the same for both prompts, so we felt it was fair to award KeyPilot as the winner here. We're in the process of investigating this further based on some new information from a deeper technical evaluation. We'll keep folks posted on who the final winner will be for Real-Time AI Innovators. Thanks for your feedback, and apologies for the confusion and frustration this has caused. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Fayaz Fayaz Fayaz Follow Software Engineer 𑁍 Thinker 𑁍 Problem Solver. Interests: AI, Software Development, Web Security, Privacy, Nature, Philosophy, History, Spirituality, Politics, Conversation. Location Bangladesh Education BSc. in Computer Science & Engineering Work Building a new SaaS Joined Nov 12, 2017 • Aug 21 '25 Dropdown menu Copy link Hide Good catch! 👍 I noticed that too! Like comment: Like comment: 2 likes Like Thread Thread Varshith V Hegde Varshith V Hegde Varshith V Hegde Follow A simple programmer fond of learning Email varshithvh@gmail.com Location Mangalore Education Mangalore Institute of Technology and Engineering Work Software Engineer@KPIT Joined Jun 30, 2022 • Aug 21 '25 Dropdown menu Copy link Hide yeah , i am also confused ... @jess @ben we may need some explanations here Like comment: Like comment: 1 like Like Thread Thread Fayaz Fayaz Fayaz Follow Software Engineer 𑁍 Thinker 𑁍 Problem Solver. Interests: AI, Software Development, Web Security, Privacy, Nature, Philosophy, History, Spirituality, Politics, Conversation. Location Bangladesh Education BSc. in Computer Science & Engineering Work Building a new SaaS Joined Nov 12, 2017 • Aug 21 '25 Dropdown menu Copy link Hide To be fair though, @joeljaison394 's submission is a great candidate for the "Real Time AI" prompt, even though he didn't specifically declare the prompt in his post. Also, his post title and body mentions "Real-Time AI", "Real Time" multiple times, so I'm sure it qualifies. BTW, I think I've read somewhere on dev.to (not sure where), judges may choose a winner of a prompt category even if the submission didn't mention it specifically. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Noah Brinker The DEV Team Noah Brinker The DEV Team Noah Brinker Follow Marketing @ DEV Joined Apr 4, 2022 • Aug 21 '25 Dropdown menu Copy link Hide Congrats! These were cool to see Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Fayaz Fayaz Fayaz Follow Software Engineer 𑁍 Thinker 𑁍 Problem Solver. Interests: AI, Software Development, Web Security, Privacy, Nature, Philosophy, History, Spirituality, Politics, Conversation. Location Bangladesh Education BSc. in Computer Science & Engineering Work Building a new SaaS Joined Nov 12, 2017 • Aug 21 '25 Dropdown menu Copy link Hide Congrats @joeljaison394 and @mehdi 🥳 Bookmarked the projects! Will check when I get time! Everyone else who submitted projects but didn't win: please keep it up and better luck next time! Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Mehdi Amrane Mehdi Amrane Mehdi Amrane Follow Joined Apr 10, 2020 • Aug 21 '25 Dropdown menu Copy link Hide Thank you 🙏 Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Nikoloz Turazashvili (@axrisi) Follow Founder & CTO at NikoLabs LLC, building Axrisi—an AI-powered browser extension for seamless on-page text processing and productivity. Opened Chicos restaurant in Tbilisi, Georgia. Email turazashvili@gmail.com Location Tbilisi, Georgia Education EXCELIA La Rochelle Pronouns He/Him Work Founder & CTO at NikoLabs LLC and Axrisi Joined May 30, 2025 • Aug 21 '25 Dropdown menu Copy link Hide Congrats to winners! watch out next time! :D Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Aber Paul Aber Paul Aber Paul Follow Full stack Developer and tech writer using inclusive, accessible tech to drive social good and empower communities. Building with purpose Email paulaber68@gmail.com Pronouns She/Her Joined Mar 3, 2025 • Aug 21 '25 Dropdown menu Copy link Hide Congratulations to the winners Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Anum Hina Anum Hina Anum Hina Follow Joined Jul 9, 2024 • Aug 21 '25 Dropdown menu Copy link Hide congrates Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Vivek K J Vivek K J Vivek K J Follow Hi, I am a self-taught web developer and a programmer who consider myself as a free software enthusiast. I've contributed to many open-source projects. Mainly using ⚛️ for web applications. Location Kerala, India Education Sahrdaya College of Engineering and Technology, Thrissur, Kerala Pronouns He/Him Work Software Developer @ IBM India Software Labs Joined Dec 3, 2020 • Aug 21 '25 Dropdown menu Copy link Hide Congratulations @joeljaison394 and @abelboby 🔥🎉 Also congratulations @mehdi 👏 Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Dilum Darshana Dilum Darshana Dilum Darshana Follow Full Stack Developer (Node.js, React.js and AWS) | Exploring Generative AI Email dilum.dar@gmail.com Location Sri Lanka Work Functional Programmer Joined May 15, 2023 • Aug 21 '25 Dropdown menu Copy link Hide Congratulation winners!!! Like comment: Like comment: 3 likes Like Comment button Reply View full discussion (25 comments) Some comments may only be visible to logged-in visitors. Sign in to view all 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 The DEV Team Follow The hardworking team behind DEV ❤️ Want to contribute to open source and help make the DEV community stronger? The code that powers DEV is called Forem and is freely available on GitHub. You're welcome to jump in! Contribute to Forem More from The DEV Team Congrats to the AI Agents Intensive Course Writing Challenge Winners! # googleaichallenge # devchallenge # ai # agents Join the Algolia Agent Studio Challenge: $3,000 in Prizes! # algoliachallenge # devchallenge # agents # webdev Congrats to the Xano AI-Powered Backend Challenge Winners! # xanochallenge # backend # api # ai 💎 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:11 |
https://dev.to/t/xbox | Xbox - 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 # xbox Follow Hide Microsoft’s powerhouse games and exclusive titles Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu How to Add Dashboards to Unleashed X – 2024 Guides Zara Ellie Zara Ellie Zara Ellie Follow Jan 1 '24 How to Add Dashboards to Unleashed X – 2024 Guides # xbox # gaming # games # beginners 5 reactions Comments Add Comment 3 min read Xbox Will Get Discord Voice Chat Soon Movindu Bandara Movindu Bandara Movindu Bandara Follow Jul 29 '22 Xbox Will Get Discord Voice Chat Soon # news # xbox # socialmedia 3 reactions Comments Add Comment 2 min read I used Cypress as an Xbox web scraper and I regret nothing Anna Anna Anna Follow Dec 2 '20 I used Cypress as an Xbox web scraper and I regret nothing # serverless # cypress # node # xbox 52 reactions Comments 14 comments 11 min read 3D CSS Xbox Series Justin Alexander Justin Alexander Justin Alexander Follow Oct 6 '20 3D CSS Xbox Series # css # javascript # 3d # xbox 85 reactions Comments 17 comments 5 min read Why is Microsoft killing the Xbox? Miguel Bogota Miguel Bogota Miguel Bogota Follow Jul 31 '20 Why is Microsoft killing the Xbox? # microsoft # xbox # gamepass # ps5 3 reactions Comments Add Comment 5 min read Connect Game Controller over RDP Oscar Oscar Oscar Follow Jan 24 '19 Connect Game Controller over RDP # gaming # rdp # xbox # usb 6 reactions Comments Add Comment 1 min read Xbox Scarlett Is Looking good! PS5 V Xbox Scarlett Ibrahim Imran Ibrahim Imran Ibrahim Imran Follow Nov 18 '19 Xbox Scarlett Is Looking good! PS5 V Xbox Scarlett # xbox 2 reactions Comments 1 comment 1 min read Slack Bot with Ruby Caleb McQuaid Caleb McQuaid Caleb McQuaid Follow May 22 '19 Slack Bot with Ruby # slack # bot # code # xbox 5 reactions Comments Add Comment 4 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 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:11 |
https://gg.forem.com/t/playstation | Playstation - 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 # playstation Follow Hide Sony console exclusives and blockbuster hits Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Блогер нашёл способ воспроизводить на PS5 содержимое обычных компакт-дисков ad layer ad layer ad layer Follow Nov 27 '25 Блогер нашёл способ воспроизводить на PS5 содержимое обычных компакт-дисков # gaminghardware # modding # playstation Comments 1 comment 1 min read 🚀 Launching Market Tycoon: A Casual Supermarket Management Game! seagames seagames seagames Follow Dec 6 '25 🚀 Launching Market Tycoon: A Casual Supermarket Management Game! # indie # gamedev # pcgaming # playstation 48 reactions Comments 1 comment 3 min read 🚇 Metro — The Only Series That Made Me Afraid of Breathing Faisal Mujahid Faisal Mujahid Faisal Mujahid Follow Dec 3 '25 🚇 Metro — The Only Series That Made Me Afraid of Breathing # indie # pcgaming # gamedev # playstation 1 reaction Comments 2 comments 1 min read IGN: Vampire: The Masquerade - Bloodlines 2: First 12 Minutes of Gameplay Gaming News Gaming News Gaming News Follow Oct 17 '25 IGN: Vampire: The Masquerade - Bloodlines 2: First 12 Minutes of Gameplay # pcgaming # playstation Comments Add Comment 1 min read Rewind This: How Prince of Persia Made Breaking the Rules Look Like Art Faisal Mujahid Faisal Mujahid Faisal Mujahid Follow Nov 17 '25 Rewind This: How Prince of Persia Made Breaking the Rules Look Like Art # gamedev # pcgaming # playstation # xbox 1 reaction Comments 1 comment 1 min read IGN: Absolum Review Gaming News Gaming News Gaming News Follow Oct 9 '25 IGN: Absolum Review # pcgaming # nintendoswitch # indie # playstation Comments Add Comment 1 min read Wolverine PS5 Game: Insomniac’s Marvel Hit Sanjay Naker Sanjay Naker Sanjay Naker Follow Oct 7 '25 Wolverine PS5 Game: Insomniac’s Marvel Hit # gamedev # pcgaming # indie # playstation Comments Add Comment 2 min read IGN: Assassin's Creed Mirage - Official Valley of Memory Update Overview Gaming News Gaming News Gaming News Follow Oct 7 '25 IGN: Assassin's Creed Mirage - Official Valley of Memory Update Overview # pcgaming # playstation # xbox # steam Comments Add Comment 1 min read IGN: Bye Sweet Carole - Official Launch Trailer Gaming News Gaming News Gaming News Follow Oct 10 '25 IGN: Bye Sweet Carole - Official Launch Trailer # indie # pcgaming # playstation # xbox Comments Add Comment 1 min read IGN: Netflix's Splinter Cell: Deathwatch Review Gaming News Gaming News Gaming News Follow Oct 14 '25 IGN: Netflix's Splinter Cell: Deathwatch Review # pcgaming # xbox # playstation 5 reactions Comments Add Comment 1 min read GameSpot: Ghost of Yotei Ending Explained With Creative Director and Co-Director Gaming News Gaming News Gaming News Follow Oct 18 '25 GameSpot: Ghost of Yotei Ending Explained With Creative Director and Co-Director # playstation # pcgaming # gamedev 2 reactions Comments Add Comment 1 min read 70,000 users affected in Discord customer service breach UPDATE: Social platform clarifies it has secured the affected systems Kanha Gochhayat Kanha Gochhayat Kanha Gochhayat Follow Oct 10 '25 70,000 users affected in Discord customer service breach UPDATE: Social platform clarifies it has secured the affected systems # gamedev # pcgaming # indie # playstation Comments Add Comment 2 min read Hollow Knight: Silksong derruba as lojas digitais e até combate a pirataria com preço justo IamThiago-IT IamThiago-IT IamThiago-IT Follow Sep 6 '25 Hollow Knight: Silksong derruba as lojas digitais e até combate a pirataria com preço justo # gamedev # pcgaming # indie # playstation 1 reaction Comments Add Comment 3 min read Debunking the Silent Hill 2 Fog Myth: When Hardware Limits Meet Creative Genius Faisal Mujahid Faisal Mujahid Faisal Mujahid Follow Sep 29 '25 Debunking the Silent Hill 2 Fog Myth: When Hardware Limits Meet Creative Genius # gamedev # pcgaming # playstation # gaminghardware 3 reactions Comments Add Comment 1 min read IGN: Jurassic World Evolution 3 - Official 'Control the Chaos' Feature Trailer Gaming News Gaming News Gaming News Follow Oct 3 '25 IGN: Jurassic World Evolution 3 - Official 'Control the Chaos' Feature Trailer # pcgaming # playstation # xbox # steam Comments Add Comment 1 min read IGN: I’m Getting Bored of Every PlayStation Game Telling the Same Story Gaming News Gaming News Gaming News Follow Oct 2 '25 IGN: I’m Getting Bored of Every PlayStation Game Telling the Same Story # discuss # playstation Comments Add Comment 1 min read GameSpot: Call of Duty NEXT Showcase 2025 Livestream (Black Ops 7 Multiplayer, Zombies, Warzone & more) Gaming News Gaming News Gaming News Follow Oct 2 '25 GameSpot: Call of Duty NEXT Showcase 2025 Livestream (Black Ops 7 Multiplayer, Zombies, Warzone & more) # pcgaming # playstation # xbox Comments Add Comment 1 min read IGN: Teenage Mutant Ninja Turtles: Splintered Fate - Official Free Update & Metalhead DLC Launch Trailer Gaming News Gaming News Gaming News Follow Sep 30 '25 IGN: Teenage Mutant Ninja Turtles: Splintered Fate - Official Free Update & Metalhead DLC Launch Trailer # pcgaming # playstation # xbox # nintendoswitch 2 reactions Comments Add Comment 1 min read GameSpot: 35 Minutes of Ghost of Yotei on PS5 Pro with Ray Tracing 4K/60 Gaming News Gaming News Gaming News Follow Oct 1 '25 GameSpot: 35 Minutes of Ghost of Yotei on PS5 Pro with Ray Tracing 4K/60 # playstation # pcgaming Comments Add Comment 1 min read IGN: Ghost of Yotei - The First 20 Minutes of Gameplay | PS5 Pro Ray Tracing Pro Mode Gaming News Gaming News Gaming News Follow Oct 1 '25 IGN: Ghost of Yotei - The First 20 Minutes of Gameplay | PS5 Pro Ray Tracing Pro Mode # playstation # pcgaming # gamedev Comments Add Comment 1 min read IGN: Maid of Sker VR - Official Announcement Trailer | Horror Game Awards Showcase 2025 Gaming News Gaming News Gaming News Follow Sep 30 '25 IGN: Maid of Sker VR - Official Announcement Trailer | Horror Game Awards Showcase 2025 # pcgaming # playstation # indie Comments Add Comment 1 min read IGN: Blood: Refreshed Supply - Official Announcement Trailer Gaming News Gaming News Gaming News Follow Sep 29 '25 IGN: Blood: Refreshed Supply - Official Announcement Trailer # pcgaming # playstation # xbox # nintendoswitch Comments Add Comment 1 min read IGN: The Relic: First Guardian - Official 8-Minute Extended Gameplay Trailer Gaming News Gaming News Gaming News Follow Sep 29 '25 IGN: The Relic: First Guardian - Official 8-Minute Extended Gameplay Trailer # pcgaming # playstation # xbox # steam Comments Add Comment 1 min read IGN: The Biggest Game Releases of October 2025 Gaming News Gaming News Gaming News Follow Sep 27 '25 IGN: The Biggest Game Releases of October 2025 # pcgaming # nintendo # playstation # xbox Comments Add Comment 1 min read IGN: EA Sports FC 26 Review Gaming News Gaming News Gaming News Follow Sep 27 '25 IGN: EA Sports FC 26 Review # pcgaming # playstation # nintendoswitch # xbox Comments Add Comment 1 min read loading... trending guides/resources Rewind This: How Prince of Persia Made Breaking the Rules Look Like Art 🚇 Metro — The Only Series That Made Me Afraid of Breathing Блогер нашёл способ воспроизводить на PS5 содержимое обычных компакт-дисков 🚀 Launching Market Tycoon: A Casual Supermarket Management Game! 💎 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:11 |
https://x.com/auth0 | 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:11 |
https://dev.to/wambita_sheila_fana/the-human-factor-why-you-might-be-a-cybercriminals-easiest-target-3525 | The Human Factor: Why You Might Be a Cybercriminal's Easiest Target - 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 Sheila Fana Wambita Posted on Jan 12 The Human Factor: Why You Might Be a Cybercriminal's Easiest Target # programming # cybersecurity When we imagine cybersecurity threats, our minds often jump to complex hacking tools, intricate lines of code, or sophisticated network intrusions. And while those certainly exist, the reality often points to a simpler, yet more pervasive, vulnerability: us, the human users. Even the most technically advanced security systems can be bypassed if the people using them aren't security-aware. This crucial insight is something that becomes profoundly clear when studying cybersecurity. Understanding how systems are defended also means understanding how they are most frequently breached and often, it starts with a human action. The "Weakest Link" Isn't an Insult, It's a Target Cybercriminals know that it's often easier to trick a person than to break through a firewall. This exploitation of human psychology is known as social engineering , and it's behind a vast number of successful cyberattacks. Let's look at some common, everyday scenarios that expose individuals and organizations to risk, often due to human behavior: The Phishing Lure: When Emails Aren't What They Seem The Tactic: You receive an email, seemingly from your bank, a delivery service, or even your boss, with an urgent request or an irresistible offer. It might contain a link that looks legitimate but leads to a fake website designed to steal your login credentials or personal information. Or it might contain an attachment that, once opened, unleashes malware. The Risk: These attacks play on emotions like urgency, fear, curiosity, or greed. A quick click without careful inspection can compromise your accounts, data, or even your entire organization's network. The Physical Access Trap: Tailgating and Unlocked Doors The Tactic: Imagine someone dressed convincingly as a delivery person struggling with a heavy box, or a "new employee" who "forgot" their badge. They politely ask you to hold the door open for them into a secure office building. This is tailgating (or piggybacking). The Risk: Once inside, an unauthorized individual can easily access unattended workstations, plug in malicious devices, steal sensitive documents, or observe confidential information. Physical access can lead to digital compromise. The Password Perils: Sticky Notes and Email Habits The Tactic: Do you jot down your passwords on a sticky note attached to your monitor, or tucked under your keyboard? Have you ever emailed a password to yourself or a colleague for "convenience"? The Risk: These seemingly harmless shortcuts create glaring vulnerabilities. A sticky note is easily found by anyone with physical access. An email containing a password, even if deleted, might remain on mail servers or in backups, accessible if an email account is ever compromised. A single exposed password can grant an attacker access to multiple personal or corporate accounts. The Unlocked PC: A Moment of Opportunity The Tactic: You step away from your desk for a quick coffee break, leaving your computer unlocked and active. The Risk: In that short moment, an opportunistic individual could send a malicious email from your account, copy sensitive files to a USB drive, or even install malware without you ever knowing. This can be an insider threat or an external threat that gained physical access (as in the tailgating example). Beyond the Technology: Empowering the Human Firewall Cybersecurity is about recognizing the full spectrum of threats, including those that exploit human behavior. This perspective is vital because the most sophisticated technical controls can be rendered useless by a single click, a misplaced password, or a moment of misplaced trust. For "normal people," this means: Be Skeptical: Question unexpected emails, urgent requests, or offers that seem too good to be true. Think Before You Click: Verify sender identities, hover over links to check destinations, and be wary of attachments. Practice Good Digital Hygiene: Use strong, unique passwords, employ multi-factor authentication, and always lock your devices when stepping away. Be Aware of Your Surroundings: Challenge unfamiliar faces in secure areas and don't hold doors for unbadged individuals. Cybersecurity is a shared responsibility. While cybersecurity professionals build and operate sophisticated defenses, every individual acts as a critical first line of defense. Understanding these common pitfalls is the first step toward building a truly resilient digital environment for everyone. This human element is precisely what makes cybersecurity so challenging, and so fascinating, for those dedicated to protecting our digital world. 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 Sheila Fana Wambita Follow I write about where design meets code, AI shapes the future, and cybersecurity keeps us safe. Dive into tech insights with me! Location Kisumu Education Egerton University Pronouns She/Her Work Software Developer at Zone01 Kisumu Joined Jun 29, 2024 More from Sheila Fana Wambita Don't Panic! Handle Errors Gracefully with "panic", "defer", and "recover" in Go # programming # go # panic # webdev 💎 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:11 |
https://dev.to/devnews/s8e8-can-open-source-exist-in-china-apple-unveils-new-accessibility-features-salesforce-employees-vs-the-nra-and-more#main-content | S8:E8 - Can Open-Source Exist in China, Apple Unveils New Accessibility Features, Salesforce Employees vs. the NRA, and More - 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 DevNews Follow S8:E8 - Can Open-Source Exist in China, Apple Unveils New Accessibility Features, Salesforce Employees vs. the NRA, and More Jun 2 '22 play In this episode, we talk about Salesforce employees calling for an end of the company working with the National Rifle Association. Then we speak with Zeyi Yang, reporter at the MIT Technology Review about a recent piece he wrote titled, "How censoring China’s open-source coders might backfire." Finally, we speak with Sarah Fossheim, independent accessibility engineer and creator and maintainer of the Ethical Design guide, about the new accessibility features Apple is bringing to its products. Show Notes DevDiscuss (sponsor) CodeNewbie (sponsor) Avalanche (sponsor) RailsConf 'Unconscionable': Thousands of workers at Salesforce, San Francisco’s biggest employer, demand company stop working with NRA How censoring China’s open-source coders might backfire Apple previews innovative accessibility features combining the power of hardware, software, and machine learning Zeyi Yang Zeyi Yang covers Chinese tech companies, products, communities, and how they interact with the world. He also tweets about Pokemon frequently. Title: China and East Asia Tech reporter, MIT Technology Review. Sarah Fossheim Sarah Fossheim is a multidisciplinary developer and designer, passionate about ethics and accessibility. They also maintain Ethical Design Guide, a directory of resources and tools for creating more inclusive products. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand peter peter peter Follow Joined Aug 10, 2025 • Aug 10 '25 Dropdown menu Copy link Hide the ( onstreamapk.co.za/download-onstrea... ) option available online to install the app directly and access unlimited entertainment anytime, anywhere. 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 — 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:11 |
https://dev.to/ebmeexpo/clinical-engineering-training-for-safer-healthcare-systems-hpp#comments | Clinical Engineering Training for Safer Healthcare Systems - 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 EBME Expo Ltd Posted on Jan 9 Clinical Engineering Training for Safer Healthcare Systems # learning # career Introduction Clinical engineering training sits at the heart of safe, reliable healthcare, even though it rarely receives public attention. Every scan completed, monitor trusted, and device maintained depends on engineers who understand both technology and clinical risk. In the UK, where healthcare systems face rising demand, ageing equipment, and strict regulation, training is not a one-off exercise. It is an ongoing process shaped by real working conditions. This blog is written for professionals who work with medical equipment, systems, and technical teams. It reflects practical industry understanding, informed by years of writing about industrial AR/VR, applied engineering, and technical training rather than academic theory. Target Audience This article is intended for: Clinical and biomedical engineers NHS engineering and estates teams Healthcare technology managers Medical device service professionals Training leads and technical educators AR/VR developers involved in healthcare learning The content uses UK English, with a tone suited to professionals working within UK healthcare environments. What Clinical Engineering Training Covers Today At a basic level, clinical engineering training prepares professionals to manage and maintain medical devices safely. In practice, it extends far beyond technical manuals. Engineers must understand how equipment fits into clinical workflows, how faults affect patient care, and how to communicate risk clearly. Training commonly includes: Medical device safety and testing Preventive maintenance planning Fault diagnosis under time pressure Documentation and audit readiness Understanding regulatory guidance As devices become more software-driven, training now also includes system configuration, updates, and basic data security awareness. Why Training Standards Matter in Healthcare Healthcare engineering does not allow room for guesswork. Poorly trained staff increase the risk of equipment failure, delayed treatment, and compliance issues. In the UK, these risks are closely linked to inspection outcomes, patient safety reports, and operational cost. Effective clinical engineering training supports: Reduced equipment downtime More consistent maintenance practice Improved communication with clinical staff Safer patient environments Training also supports engineers themselves, giving them confidence when making decisions that affect patient care. Classroom Learning Versus Real Practice Traditional classroom training still plays an important role, especially for learning standards and theory. However, many engineers find that real understanding comes from applied experience. Modern clinical engineering training often blends: Instructor-led sessions Hands-on workshops Scenario-based exercises Supervised on-the-job learning This mix reflects the realities of hospital environments, where devices cannot always be taken offline for training purposes. The Growing Role of AR and VR in Training From an industrial AR/VR perspective, healthcare engineering has become a strong candidate for immersive learning. Physical access to equipment is limited, and mistakes carry risk. AR and VR support training by allowing: Safe practice on complex systems Repetition without damaging equipment Visual guidance during maintenance tasks Standardised learning across multiple sites While not a replacement for hands-on work, immersive tools complement existing clinical engineering training methods, especially for complex or high-risk equipment. Learning Beyond the Hospital Setting Training does not only take place inside healthcare facilities. Industry events and shared learning environments also play an important role. For example, a Biomedical Engineering Exhibition offers engineers a chance to: View equipment outside clinical pressure Ask detailed technical questions Compare service and support models Learn from peer discussions These environments support informal learning that structured courses may not provide. Training for Early-Career Clinical Engineers For those entering the profession, training shapes habits that last for years. Early programmes should focus on more than technical skills. Effective early clinical engineering training includes: Understanding escalation pathways Clear documentation standards Communication with clinical teams Awareness of personal responsibility Without this foundation, engineers often learn through trial and error, which can introduce inconsistency. Ongoing Training for Experienced Staff Training does not stop after the first few years. Experienced engineers face new challenges as technology evolves. Advanced clinical engineering training often focuses on: Software-led diagnostic systems Integration across departments Leadership and mentoring skills Interpreting updated guidance Continued learning helps experienced staff remain confident and effective, particularly when supporting junior colleagues. Measuring the Value of Training One challenge for managers is proving that training makes a difference. However, its impact can be observed through: Reduced service calls Fewer incident reports Improved audit results Higher staff retention When training is treated as an operational investment rather than an expense, its value becomes clearer over time. Voices from the Field “Good clinical engineering training doesn’t remove problems. It prepares you to respond calmly when they appear.” This view reflects why practical, experience-led learning remains central to healthcare engineering. Conclusion Clinical engineering training remains essential because healthcare technology continues to grow in complexity. Training supports safe practice, confident decision-making, and reliable system performance in environments where failure is not an option. For UK healthcare providers, investing in structured, practical training is not about keeping pace with trends. It is about ensuring that equipment, systems, and people work together effectively to support patient care every day. Frequently Asked Questions (FAQ) What is clinical engineering training? It is professional education focused on managing, maintaining, and assessing medical equipment used in healthcare settings. Who needs clinical engineering training? Clinical engineers, biomedical engineers, technicians, and healthcare technology managers all benefit from structured training. Is training different in the UK? Yes. UK training reflects NHS systems, MHRA guidance, and local compliance requirements. Does training include digital systems? Increasingly, yes. Software, connectivity, and data awareness are now common topics. How often should training be updated? Most professionals aim for continuous learning, with formal updates when new equipment or guidance is introduced. 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 EBME Expo Ltd Follow The EBME Expo Ltd is the UK’s leading medical equipment exhibition and conference that serves as a hub for healthcare technology professionals. https://www.ebme-expo.com/ Joined Jul 9, 2024 Trending on DEV Community Hot I Built a Game Engine from Scratch in C++ (Here's What I Learned) # programming # gamedev # learning # cpp How to Crack Any Software Developer Interview in 2026 (Updated for AI & Modern Hiring) # softwareengineering # programming # career # interview Top 7 Featured DEV Posts of the Week # top7 # discuss 💎 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:11 |
https://docs.suprsend.com/docs/tenant-workflows | Tenant Workflows - 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 Tenant Workflows Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog WORKFLOW BUILDER Tenant Workflows OpenAI Open in ChatGPT How to trigger workflows for tenant to apply tenant level customization in notifications. OpenAI Open in ChatGPT Tenants represents a segment that user belongs to. It can be organizations, teams within an organization, subsidiary companies or different product lines in the same business. In SuprSend, you can dynamically manage tenant level notification customizations. This includes the ability to customize template design or content , set different notification preferences at the tenant level , route notifications via tenant vendors or even have a distinct set of notifications for each tenant. All of this can be managed dynamically within SuprSend by defining tenant settings once and passing tenant_id in your event or workflow call. Know more about how to manage tenants within SuprSend here . 📘 If you have a use case where the entire user base and notifications differ between two distinct business lines within your company, we recommend using different workspaces to manage these notifications effectively. This approach ensures clear separation and management of workflows, templates, and user data, tailored specifically to the unique requirements of each business line. Sending notifications for a tenant By default, all notifications (aka workflow) are triggered for default tenant (your organization). You can override tenant by passing tenant_id in your workflow or event instance. Passing tenant_id in your workflow will: Pick tenant properties for sending custom notification content or design for the tenant (by replacing tenant variables in the template). Pick per-tenant preferences while executing the workflow. Override vendor details for the tenant if set. This is especially useful for cases where you are sending notifications on behalf of your customers and they want the notifications to be sent with their email domain and tenant/brand handles or you have different customer applications for sending messages on chat applications (Slack and MS Teams). Below is a sample of how you can override tenant_id in your workflow or event call Sample Workflow (Python) Sample Event (Python) Copy Ask AI from suprsend import Event from suprsend import WorkflowTriggerRequest supr_client = Suprsend( "_workspace_key_" , "_workspace_secret_" ) # Prepare workflow payload w1 = WorkflowTriggerRequest( body = { ... }, tenant_id = "_tenant_id_" , idempotency_key = "_unique_identifier_of_the_request_" ) # Trigger workflow response = supr_client.workflows.trigger(w1) print (response) Was this page helpful? Yes No Suggest edits Raise issue Previous Overview Learn about features and benefits of SuprSend's notification inbox, with link to live demo and git repository. Next ⌘ I x github linkedin youtube Powered by On this page Sending notifications for a tenant self.__next_f.push([1,"16:[\"$\",\"$L24\",null,{\"children\":[\"$\",\"$L5\",null,{\"appearance\":\"$undefined\",\"codeblockTheme\":\"system\",\"children\":[false,[\"$\",\"$L25\",null,{\"id\":\"_mintlify-banner-script\",\"strategy\":\"beforeInteractive\",\"dangerouslySetInnerHTML\":{\"__html\":\"(function j(a,b,c,d,e){try{let f,g,h=[];try{h=window.location.pathname.split(\\\"/\\\").filter(a=\u003e\\\"\\\"!==a\u0026\u0026\\\"global\\\"!==a).slice(0,2)}catch{h=[]}let i=h.find(a=\u003ec.includes(a)),j=[];for(let c of(i?j.push(i):j.push(b),j.push(\\\"global\\\"),j)){if(!c)continue;let b=a[c];if(b?.content){f=b.content,g=c;break}}if(!f)return void document.documentElement.setAttribute(d,\\\"hidden\\\");let k=!0,l=0;for(;l\u003clocalStorage.length;){let a=localStorage.key(l);if(l++,!a?.endsWith(e))continue;let b=localStorage.getItem(a);if(b\u0026\u0026b===f){k=!1;break}g\u0026\u0026(a.startsWith(`lang:${g}_`)||!a.startsWith(\\\"lang:\\\"))\u0026\u0026(localStorage.removeItem(a),l--)}document.documentElement.setAttribute(d,k?\\\"visible\\\":\\\"hidden\\\")}catch(a){console.error(a),document.documentElement.setAttribute(d,\\\"hidden\\\")}})(\\n {},\\n \\\"en\\\",\\n [],\\n \\\"data-banner-state\\\",\\n \\\"bannerDismissed\\\",\\n)\"}}],[\"$\",\"$L26\",null,{\"appId\":\"$undefined\",\"autoBoot\":true,\"children\":[\"$\",\"$L27\",null,{\"value\":{\"auth\":\"$undefined\",\"userAuth\":\"$undefined\"},\"children\":[\"$\",\"$L28\",null,{\"value\":{\"subdomain\":\"suprsend\",\"actualSubdomain\":\"suprsend\",\"gitSource\":{\"type\":\"github\",\"owner\":\"suprsend\",\"repo\":\"documentation\",\"deployBranch\":\"main\",\"contentDirectory\":\"\",\"isPrivate\":false},\"inkeep\":\"$undefined\",\"trieve\":{\"datasetId\":\"6e323591-e0fd-400e-b65d-b78e1ac26a70\"},\"feedback\":{\"thumbs\":true,\"edits\":true,\"issues\":true},\"entitlements\":{\"AI_CHAT\":{\"status\":\"ENABLED\"}},\"buildId\":\"69626943a86a9efd7a7ed78e:success\",\"clientVersion\":\"0.0.2335\",\"preview\":\"$undefined\"},\"children\":[\"$\",\"$L29\",null,{\"value\":{\"docsConfig\":{\"theme\":\"maple\",\"$schema\":\"https://mintlify.com/docs.json\",\"name\":\"SuprSend, Notification infrastructure for Product teams\",\"colors\":{\"primary\":\"#2E70E8\",\"light\":\"#63A3F7\",\"dark\":\"#2E70E8\"},\"logo\":\"https://mintcdn.com/suprsend/WdsZ2yuqLDH_ynbJ/images/suprsend-logo.svg?fit=max\u0026auto=format\u0026n=WdsZ2yuqLDH_ynbJ\u0026q=85\u0026s=333c25c6c957fd208f4d44e942b7970b\",\"favicon\":\"favicon.svg\",\"api\":{\"openapi\":\"openapi.yaml\"},\"background\":{\"decoration\":\"windows\"},\"navbar\":{\"links\":[{\"label\":\"Contact Us\",\"href\":\"mailto:support@suprsend.com\"}],\"primary\":{\"type\":\"button\",\"label\":\"Get Started\",\"href\":\"https://app.suprsend.com\"}},\"navigation\":{\"global\":{\"anchors\":[{\"anchor\":\"Community\",\"icon\":\"slack\",\"color\":{\"light\":\"#f59f0b\",\"dark\":\"#f59f0b\"},\"href\":\"https://join.slack.com/t/suprsendcommunity/shared_invite/zt-3932rw936-XNWY1RC8bsffh4if4ZyoXQ\"},{\"anchor\":\"Trust Center\",\"icon\":\"shield-halved\",\"color\":{\"light\":\"#2564eb\",\"dark\":\"#2564eb\"},\"href\":\"https://trust.suprsend.com\"},{\"anchor\":\"Platform Status\",\"icon\":\"wifi\",\"color\":{\"light\":\"#2564eb\",\"dark\":\"#2564eb\"},\"href\":\"https://status.suprsend.com\"},{\"anchor\":\"Postman Collection\",\"icon\":\"code\",\"color\":{\"light\":\"#2564eb\",\"dark\":\"#2564eb\"},\"href\":\"https://www.postman.com/suprsend/suprsend/collection/16bdmwa/suprsend-apis\"}]},\"tabs\":[{\"tab\":\"Documentation\",\"groups\":[{\"group\":\"GETTING STARTED\",\"pages\":[\"docs/what-is-suprsend\",{\"group\":\"Quick Start Guide\",\"pages\":[\"docs/quick-start-guide\",\"docs/email-quick-start\",\"docs/sms-quick-start\",\"docs/whatsapp-quick-start\",\"docs/inbox-quick-start\",\"docs/mobile-push-quick-start\",\"docs/web-push-quick-start\",\"docs/slack-quick-start\",\"docs/ms-teams-quick-start\"]},{\"group\":\"Best Practices\",\"pages\":[\"docs/best-practices-notification-system-design\",\"docs/best-practices-for-batching-digest\"]},{\"group\":\"Plan Your Integration\",\"pages\":[\"docs/migrating-your-existing-notifications\",\"docs/event-vs-api-trigger\",\"docs/migrate-from-magicbell-to-suprsend\"]},\"docs/go-live-checklist\"]},{\"group\":\"CORE CONCEPTS\",\"pages\":[{\"group\":\"Templates\",\"pages\":[\"docs/templates\",{\"group\":\"Channel Editors\",\"pages\":[\"docs/email-template\",\"docs/in-app-inbox-template\",\"docs/sms-template\",\"docs/whatsapp-template\",\"docs/android-push-template\",\"docs/ios-push-template\",\"docs/web-push-template\",\"docs/slack-template\",\"docs/ms-teams-template\"]},\"docs/testing-the-template\",\"docs/handlebars-helpers\",\"docs/multi-lingual-template\"]},\"docs/users\",\"docs/events\",\"docs/workflows\",{\"group\":\"Notification Categories\",\"pages\":[\"docs/notification-category\",\"docs/managing-notification-categories\"]},{\"group\":\"Preferences\",\"pages\":[\"docs/user-preferences\",\"docs/tenant-preference\",\"docs/preference-evaluation\"]},\"docs/tenants\",{\"group\":\"Lists\",\"pages\":[\"docs/lists\",\"docs/list-sync-via-database\"]},\"docs/broadcast\",{\"group\":\"Objects\",\"pages\":[\"docs/objects\",\"docs/object-subscriptions\"]},\"docs/translations\",\"docs/dlt-guidelines\",\"docs/whatsapp-template-guidelines\"]},{\"group\":\"WORKFLOW BUILDER\",\"pages\":[\"docs/design-workflow\",{\"group\":\"Node List\",\"pages\":[\"docs/delivery-single-channel\",\"docs/delivery-multi-channel\",\"docs/smart-delivery\",\"docs/override-recipient-list\",\"docs/delay\",\"docs/batch\",\"docs/digest\",\"docs/wait-until\",\"docs/fetch\",\"docs/webhook\",\"docs/branch\",\"docs/time-window\",\"docs/data-transform\",\"docs/add-user-to-list\",\"docs/remove-user-from-list\",\"docs/subscribe-to-object\",\"docs/unsubscribe-from-object\",\"docs/update-user-profile\",\"docs/invoke-workflow\"]},{\"group\":\"Workflow Settings\",\"pages\":[\"docs/throttle\"]},\"docs/trigger-workflow\",\"docs/validate-workflow-payload\",\"docs/tenant-workflows\"]},{\"group\":\"Notification Inbox\",\"pages\":[\"docs/inbox-overview\",\"docs/multi-tabs\",{\"group\":\"React\",\"pages\":[\"docs/react-inbox-integration\",\"docs/react-migration-guide\"]},{\"group\":\"Javascript (Angular, Vuejs etc)\",\"pages\":[\"docs/web-components-integration\",\"docs/web-components-customisations\"]},{\"group\":\"React Native\",\"pages\":[\"docs/inbox-react-native\",\"docs/hmac-authentication\"]},\"docs/inbox-flutter\"]},{\"group\":\"PREFERENCE CENTRE\",\"pages\":[\"docs/embedded-preference-centre\",\"docs/preferences-javascript\",\"docs/preferences-angular\",\"docs/preferences-react-headless\"]},{\"group\":\"VENDOR INTEGRATION GUIDE\",\"pages\":[\"docs/vendors\",{\"group\":\"Email Integrations\",\"pages\":[\"docs/sendgrid\",\"docs/amazon-ses\",\"docs/mailgun\",\"docs/resend\",\"docs/postmark\",\"docs/mailjet\"]},{\"group\":\"SMS Integrations\",\"pages\":[\"docs/acl-sinch\",\"docs/twilio\",\"docs/karix-sms\",\"docs/gupshup-sms\",\"docs/aws-sns-sms\",\"docs/pinnacle\"]},{\"group\":\"Android Push\",\"pages\":[\"docs/firebase-fcm-androidpush\"]},{\"group\":\"Whatsapp Integrations\",\"pages\":[\"docs/karix-whatsapp\",\"docs/gupshup-whatsapp\",\"docs/exotel\",\"docs/whatsapp-cloud-api\",\"docs/netcore-whatsapp\"]},\"docs/ios-push-vendor-integration\",{\"group\":\"Chat Integrations\",\"pages\":[\"docs/slack\",\"docs/microsoft-teams\"]},\"docs/vendor-fallback\",\"docs/tenant-vendor\"]},{\"group\":\"INTEGRATIONS\",\"pages\":[\"docs/outbound-webhook\",{\"group\":\"Connectors\",\"pages\":[\"docs/connectors\",\"docs/mixpanel\",\"docs/segment\",\"docs/amazon_s3_v2\",{\"group\":\"Database\",\"pages\":[\"docs/database\",\"docs/postgres\",\"docs/mysql\",\"docs/bigquery\"]}]}]},{\"group\":\"MONITORING \u0026 DEBUGGING\",\"pages\":[\"docs/logging\",\"docs/audit-logs\",{\"group\":\"Error Guides\",\"pages\":[\"docs/error-guides\",{\"group\":\"Delivery Failures\",\"pages\":[\"docs/androidpush-errors\",\"docs/gupshup-sms-errors\",\"docs/twilio-sms-errors\",\"docs/messagebird-sms-errors\"]}]}]},{\"group\":\"MANAGE YOUR ACCOUNT\",\"pages\":[\"docs/authentication-methods\"]}]},{\"tab\":\"API Reference\",\"groups\":[{\"group\":\"API Reference\",\"pages\":[\"reference/overview\",\"reference/authentication\",\"reference/idempotent-requests\",\"reference/postman-collection\"]},{\"group\":\"USERS\",\"pages\":[\"reference/create-update-users\",\"reference/edit-user-profile\",\"reference/get-user-profile\",\"reference/fetch-user-object-subscriptions\",\"reference/fetch-user-list-subscriptions\",\"reference/list-users\",\"reference/delete-user\",\"reference/merge-users\"]},{\"group\":\"TRIGGER WORKFLOWS\",\"pages\":[\"reference/trigger-workflow-api\",\"reference/dynamic-workflow-trigger\"]},{\"group\":\"EVENTS\",\"pages\":[\"reference/trigger-event\"]},{\"group\":\"OBJECTS\",\"pages\":[\"reference/create-update-objects\",\"reference/edit-object-profile\",\"reference/add-object-subscription\",\"reference/get-object-by-id\",\"reference/get-object-subscriptions\",\"reference/list-objects-by-type\",\"reference/list-object-subscriptions\",\"reference/delete-object\",\"reference/delete-object-subscription\"]},{\"group\":\"TEMPLATES\",\"pages\":[\"reference/get-template-list\",\"reference/get-template-details\",\"reference/get-template-details-for-channel\"]},{\"group\":\"TENANTS\",\"pages\":[\"reference/create-update-tenants\",\"reference/get-tenant-data\",\"reference/get-tenant-list\",\"reference/delete-tenant\"]},{\"group\":\"PREFERENCE\",\"pages\":[{\"group\":\"Update User Preferences\",\"pages\":[\"reference/update-user-full-preference\",\"reference/update-user-category-preference\",\"reference/update-user-channel-preference\",\"reference/bulk-update-user-preference\",\"reference/reset-user-preferences\"]},{\"group\":\"Get User Preferences\",\"pages\":[\"reference/get-user-full-preference\",\"reference/user-category-preference\",\"reference/get-user-channel-preferences\",\"reference/get-user-category-preferences\"]},{\"group\":\"Manage Tenant Preferences\",\"pages\":[\"reference/get-tenant-full-preference\",\"reference/get-tenant-preference-all-categories\",\"reference/get-tenant-preference-single-category\",\"reference/update-tenant-preference-single-category\",\"reference/get-tenant-category-preferences\",\"reference/update-tenant-default-preference\"]},{\"group\":\"Update Object Preferences\",\"pages\":[\"reference/update-object-full-preference\",\"reference/object-preference-category\",\"reference/update-object-channel-preference\"]},{\"group\":\"Get Object Preferences\",\"pages\":[\"reference/get-object-full-preference\",\"reference/get-object-category-preference\",\"reference/get-object-channel-preferences\",\"reference/get-object-single-category-preference\"]}]},{\"group\":\"LISTS\",\"pages\":[\"reference/create-list\",\"reference/add-user-to-list\",\"reference/remove-subscribers-from-list\",{\"group\":\"Replace List Users\",\"pages\":[\"reference/replace-list-subscribers\",\"reference/start-sync\",\"reference/add-subscribers-to-draft-list\",\"reference/remove-subscribers-from-draft-list\",\"reference/finish-sync\",\"reference/delete-draft-list\"]},\"reference/get-all-lists\",\"reference/get-list-details\",\"reference/get-list-users\",\"reference/delete-list\"]},{\"group\":\"BROADCAST\",\"pages\":[\"reference/trigger-broadcast\"]}]},{\"tab\":\"Management API\",\"groups\":[{\"group\":\"API Reference\",\"pages\":[\"docs/management-api-overview\",\"reference/service-token-authentication\",\"docs/management-api-errors\"]},{\"group\":\"WORKFLOWS\",\"pages\":[\"reference/create-update-workflow\",\"reference/commit-workflow\",\"reference/get-workflow\",\"reference/list-workflows\",\"reference/enable-disable-workflow\",\"reference/delete-workflow\"]},{\"group\":\"SCHEMAS\",\"pages\":[\"reference/upsert-schema\",\"reference/commit-schema\",\"reference/list-schemas\",\"reference/get-schema\"]},{\"group\":\"EVENTS\",\"pages\":[\"reference/create-event\",\"reference/update-event\",\"reference/list-events\",\"reference/get-event\",\"reference/get-linked-workflows\",\"reference/delink-event-schema\"]},{\"group\":\"CATEGORIES\",\"pages\":[\"reference/get-category\",\"reference/create-update-category\",\"reference/commit-category\",\"reference/list-category-translation\",\"reference/get-category-translation\",\"reference/add-category-translation\",\"reference/delete-category-translation\"]},{\"group\":\"TRANSLATIONS\",\"pages\":[\"reference/add-translation\",\"reference/commit-translation\",\"reference/get-translation\",\"reference/list-translations\",\"reference/get-translation-history\",\"reference/rollback-translation\",\"reference/delete-translation\"]}]},{\"tab\":\"CLI Reference\",\"groups\":[{\"group\":\"Versioning\",\"pages\":[\"reference/cli-versioning\",\"reference/cli-changelog\"]},{\"group\":\"Getting Started with CLI\",\"pages\":[\"reference/cli-intro\",\"reference/cli-quickstart\",\"reference/cli-installation\",\"reference/cli-authentication\",\"reference/cli-autocompletion\",\"reference/cli-global-flags\"]},{\"group\":\"Profile\",\"pages\":[\"reference/cli-profile-overview\",\"reference/cli-profile-add\",\"reference/cli-profile-use\",\"reference/cli-profile-list\",\"reference/cli-profile-modify\",\"reference/cli-profile-remove\"]},{\"group\":\"Sync\",\"pages\":[\"reference/cli-sync\"]},{\"group\":\"Workflow\",\"pages\":[\"reference/cli-workflow-overview\",\"reference/cli-workflow-list\",\"reference/cli-workflow-pull\",\"reference/cli-workflow-push\",\"reference/cli-workflow-enable\",\"reference/cli-workflow-disable\"]},{\"group\":\"Schema\",\"pages\":[\"reference/cli-schema-overview\",\"reference/cli-schema-list\",\"reference/cli-schema-pull\",\"reference/cli-schema-push\",\"reference/cli-schema-commit\",\"reference/cli-schema-generate-types\"]},{\"group\":\"Event\",\"pages\":[\"reference/cli-event-overview\",\"reference/cli-event-list\",\"reference/cli-event-pull\",\"reference/cli-event-push\"]},{\"group\":\"Preference Category\",\"pages\":[\"reference/cli-category-overview\",\"reference/cli-category-list\",\"reference/cli-category-pull\",\"reference/cli-category-push\",\"reference/cli-category-commit\",\"reference/cli-category-translation-list\",\"reference/cli-category-translation-pull\",\"reference/cli-category-translation-push\"]},{\"group\":\"Translation\",\"pages\":[\"reference/cli-translation-overview\",\"reference/cli-translation-list\",\"reference/cli-translation-pull\",\"reference/cli-translation-push\",\"reference/cli-translation-commit\"]}]},{\"tab\":\"Developer Resources\",\"groups\":[{\"group\":\"Developer Resources\",\"pages\":[\"docs/developer/overview\"]},{\"group\":\"Updates and Versioning\",\"pages\":[\"docs/developer/versioning/sdk-versioning\",\"docs/developer/versioning/sdk-changelog\"]},{\"group\":\"Authentication\",\"pages\":[\"docs/developer/api-keys\",\"docs/developer/service-tokens\",\"docs/best-practices-for-api-keys-management\"]},{\"group\":\"MCP\",\"pages\":[\"reference/mcp-overview\",\"reference/mcp-quickstart\",\"reference/mcp-tool-list\",\"reference/building-with-llm\"]},{\"group\":\"Security\",\"pages\":[\"docs/security\"]},{\"group\":\"SDKs and APIs\",\"pages\":[{\"group\":\"SDKs\",\"pages\":[\"docs/developer/sdk-overview\",{\"group\":\"SuprSend Backend SDK\",\"pages\":[{\"group\":\"Python SDK\",\"pages\":[\"docs/integrate-python-sdk\",\"docs/python-create-user-profile\",\"docs/python-objects\",\"docs/python-send-event-data\",\"docs/python-trigger-workflow-from-api\",\"docs/python-tenants\",\"docs/python-lists\",\"docs/python-broadcast\"]},{\"group\":\"Node.js SDK\",\"pages\":[\"docs/integrate-node-sdk\",\"docs/node-create-user-profile\",\"docs/objects-node-sdk\",\"docs/node-send-event-data\",\"docs/node-trigger-workflow-from-api\",\"docs/node-tenants\",\"docs/node-lists\",\"docs/node-broadcast\"]},{\"group\":\"Java SDK\",\"pages\":[\"docs/integrate-java-sdk\",\"docs/java-create-user-profile\",\"docs/java-objects\",\"docs/java-send-event-data\",\"docs/java-trigger-workflow-from-api\",\"docs/tenants-java\",\"docs/lists-java\",\"docs/broadcast-java\"]},{\"group\":\"Go SDK\",\"pages\":[\"docs/integrate-go-sdk\",\"docs/go-create-user-profile\",\"docs/go-send-event-data\",\"docs/go-trigger-workflow-from-api\",\"docs/tenants-go\",\"docs/lists-go\",\"docs/broadcast-go\"]}]},{\"group\":\"SuprSend Client SDK\",\"pages\":[\"docs/client-authentication\",{\"group\":\"Javascript\",\"pages\":[\"docs/integrate-javascript-sdk\",\"docs/js-webpush\",\"docs/js-preferences\",\"docs/js-events-and-user-methods\",\"docs/js-inapp-feed\",\"docs/migration-guide-from-v1\"]},{\"group\":\"Android\",\"pages\":[\"docs/integrate-android-sdk\",\"docs/android-firebase-fcm-push-integration\",\"docs/android-create-user\",\"docs/android-send-event-data\"]},{\"group\":\"iOS\",\"pages\":[\"docs/ios-integration\",\"docs/ios-events-and-user-methods\",\"docs/ios-apns-push\",\"docs/ios-preferences\"]},{\"group\":\"React Native\",\"pages\":[\"docs/react-native-android-integration\",\"docs/react-native-ios-integration\",\"docs/react-native-create-user\",\"docs/react-native-send-event-data\",\"docs/react-native-ios-push-integration\",\"docs/react-native-androidpush-integration\"]},{\"group\":\"Flutter\",\"pages\":[\"docs/flutter-android-integration\",\"docs/flutter-ios-integration\",\"docs/flutter-create-user\",\"docs/flutter-send-event-data\",\"docs/flutter-ios-push-integration\",\"docs/flutter-androidpush-integration\"]},{\"group\":\"React\",\"pages\":[\"docs/react-sdk\",\"docs/react-webpush\",\"docs/preference-react-sdk\",\"docs/react-events-and-user-methods\",{\"group\":\"InApp Feed\",\"pages\":[\"docs/react-in-app-feed\",\"docs/react-full-screen-or-sidesheet-notifications-feed\",\"docs/react-customising-feed\",\"docs/react-sdk-headless-feed\",\"docs/react-toast-notifications\",\"docs/react-language-support\"]}]}]}]},\"docs/developer/management-api\",\"docs/developer/rest-api\",\"docs/developer/postman-collection\"]},{\"group\":\"Features\",\"pages\":[\"docs/validate-workflow-payload\",\"docs/type-generation\"]},{\"group\":\"Testing\",\"pages\":[\"docs/testing-the-template\",\"docs/developer/test-mode\"]},{\"group\":\"Monitoring and Logging\",\"pages\":[\"docs/logging\",{\"group\":\"Data Out\",\"pages\":[\"docs/outbound-webhook\",\"docs/amazon_s3_v2\"]}]}]},{\"tab\":\"Changelog\",\"groups\":[{\"group\":\"Changelog\",\"pages\":[\"changelog/overview\"]}]}]},\"footer\":{\"socials\":{\"x\":\"https://x.com/suprsend\",\"github\":\"https://github.com/suprsend\",\"linkedin\":\"https://linkedin.com/company/suprsend\",\"youtube\":\"https://youtube.com/@suprsend\"}},\"seo\":{\"indexing\":\"all\"},\"fonts\":{\"family\":\"Inter\"},\"styling\":{\"codeblocks\":\"system\",\"latex\":true},\"redirects\":[{\"source\":\"/docs/python-sdk\",\"destination\":\"/docs/integrate-python-sdk\"},{\"source\":\"/reference/get-subscriber-list\",\"destination\":\"/reference/get-list-users\"},{\"source\":\"/reference/suprsend-postman-collection\",\"destination\":\"/reference/postman-collection\"},{\"source\":\"/docs/email-vendor-integration\",\"destination\":\"/docs/sendgrid\"},{\"source\":\"/docs/flutter-firebase-fcm-push-integration\",\"destination\":\"/docs/flutter-androidpush-integration\"},{\"source\":\"/docs/flutter-apns-push\",\"destination\":\"/docs/flutter-ios-push-integration\"},{\"source\":\"/docs/integrate-flutter-sdk-android\",\"destination\":\"/docs/flutter-android-integration\"},{\"source\":\"docs/integrate-flutter-sdk-ios\",\"destination\":\"/docs/flutter-ios-integration\"},{\"source\":\"/docs/integrate-flutter-sdk-ios\",\"destination\":\"/docs/flutter-ios-integration\"},{\"source\":\"/docs/javascript-sdk\",\"destination\":\"/docs/integrate-javascript-sdk\"},{\"source\":\"/docs/swift-integration\",\"destination\":\"/docs/ios-integration\"},{\"source\":\"/docs/add-remove-from-list\",\"destination\":\"/docs/add-user-to-list\"},{\"source\":\"/docs/subscriptions\",\"destination\":\"/docs/object-subscriptions\"},{\"source\":\"/docs/push-notification\",\"destination\":\"/docs/android-push-template\"},{\"source\":\"/docs/whatsapp\",\"destination\":\"/docs/whatsapp-template\"},{\"source\":\"/docs/web-push\",\"destination\":\"/docs/web-push-template\"},{\"source\":\"/docs/best-practices\",\"destination\":\"/docs/best-practices-notification-system-design\"},{\"source\":\"/docs/best-practises-for-batching-digest\",\"destination\":\"/docs/best-practices-for-batching-digest\"},{\"source\":\"/docs/email\",\"destination\":\"/docs/email-template\"},{\"source\":\"/docs/getting-started\",\"destination\":\"/docs/what-is-suprsend\"},{\"source\":\"/docs/go-sdk\",\"destination\":\"/docs/integrate-go-sdk\"},{\"source\":\"/docs/java-sdk\",\"destination\":\"/docs/integrate-java-sdk\"},{\"source\":\"/docs/nodejs-sdk\",\"destination\":\"/docs/integrate-node-sdk\"},{\"source\":\"/docs/android-sdk\",\"destination\":\"/docs/integrate-android-sdk\"},{\"source\":\"/docs/ios-sdk\",\"destination\":\"/docs/integrate-ios-sdk\"},{\"source\":\"/docs/react-native\",\"destination\":\"/docs/react-native-android-integration\"},{\"source\":\"/docs/flutter\",\"destination\":\"/docs/integrate-flutter-sdk-android\"},{\"source\":\"/docs/quickstart\",\"destination\":\"/docs/quick-start-guide\"},{\"source\":\"/docs/sms-vendor-integration\",\"destination\":\"/docs/acl-sinch\"},{\"source\":\"/docs/android-push-vendor-integration\",\"destination\":\"/docs/firebase-fcm-androidpush\"},{\"source\":\"/docs/whatsapp-vendor-integration\",\"destination\":\"/docs/karix-whatsapp\"},{\"source\":\"/docs/chat-vendor-integration\",\"destination\":\"/docs/slack\"},{\"source\":\"/docs/brands-python\",\"destination\":\"/docs/python-tenants\"},{\"source\":\"/docs/node-brands\",\"destination\":\"/docs/node-tenants\"},{\"source\":\"/reference/using-suprsnd-apis-on-postman\",\"destination\":\"/reference/suprsend-postman-collection\"},{\"source\":\"/reference/api-keys\",\"destination\":\"/reference/authentication\"},{\"source\":\"/docs/brands-java\",\"destination\":\"/docs/tenants-java\"},{\"source\":\"/docs/brands-api-go\",\"destination\":\"/docs/tenants-go\"},{\"source\":\"/docs/inapp-feed\",\"destination\":\"/docs/js-inapp-feed\"},{\"source\":\"/docs/objects-java-sdk\",\"destination\":\"/docs/java-objects\"},{\"source\":\"/docs/objects-python-sdk\",\"destination\":\"/docs/python-objects\"},{\"source\":\"/docs/preferences\",\"destination\":\"/docs/user-preferences\"},{\"source\":\"/docs/brand-preference\",\"destination\":\"/docs/tenant-preference\"},{\"source\":\"/docs/brands\",\"destination\":\"/docs/tenants\"},{\"source\":\"/docs/subcribe-unsubscribe-from-object\",\"destination\":\"/docs/subscribe-unsubscribe-from-object\"},{\"source\":\"/docs/subscribe-unsubscribe-from-object\",\"destination\":\"/docs/subscribe-to-object\"},{\"source\":\"/docs/js-migration-from-v1\",\"destination\":\"/docs/migration-guide-from-v1\"},{\"source\":\"/docs/ios-push-integration-2\",\"destination\":\"/docs/ios-push-integration\"},{\"source\":\"/docs/integrate-react-native-sdk-android\",\"destination\":\"/docs/react-native-android-integration\"},{\"source\":\"/docs/integrate-react-native-sdk-ios\",\"destination\":\"/docs/react-native-ios-integration\"},{\"source\":\"/docs/react-native-apns-push\",\"destination\":\"/docs/react-native-ios-push-integration\"},{\"source\":\"/docs/react-native-firebase-fcm-push-integration\",\"destination\":\"/docs/react-native-androidpush-integration\"},{\"source\":\"/docs/react-1\",\"destination\":\"/docs/react-sdk\"},{\"source\":\"/docs/webpush\",\"destination\":\"/docs/react-webpush\"},{\"source\":\"/docs/preferences-1\",\"destination\":\"/docs/preference-react-sdk\"},{\"source\":\"/docs/events-and-user-methods\",\"destination\":\"/docs/react-events-and-user-methods\"},{\"source\":\"/docs/inapp-feed-1\",\"destination\":\"/docs/react-in-app-feed\"},{\"source\":\"/docs/full-screen-or-sidesheet-notifications-feed\",\"destination\":\"/docs/react-full-screen-or-sidesheet-notifications-feed\"},{\"source\":\"/docs/customising-feed\",\"destination\":\"/docs/react-customising-feed\"},{\"source\":\"/docs/headless-feed\",\"destination\":\"/docs/react-sdk-headless-feed\"},{\"source\":\"/docs/toast-notifications\",\"destination\":\"/docs/react-toast-notifications\"},{\"source\":\"/docs/migration-guide\",\"destination\":\"/docs/react-migration-guide\"},{\"source\":\"/docs/overview-preference-page\",\"destination\":\"/docs/embedded-preference-centre\"},{\"source\":\"/docs/embeddable-inbox\",\"destination\":\"/docs/web-components-integration\"},{\"source\":\"/docs/inbox-angular\",\"destination\":\"/docs/web-components-integration\"},{\"source\":\"/docs/angular-customize-inbox\",\"destination\":\"/docs/web-components-integration\"},{\"source\":\"/docs/inbox-react\",\"destination\":\"https://github.com/suprsend/suprsend-react-inbox/blob/main/docs/intergration.md\"},{\"source\":\"/docs/react-customize-inbox\",\"destination\":\"https://github.com/suprsend/suprsend-react-inbox/blob/main/docs/customization.md\"},{\"source\":\"/docs/headless-inbox\",\"destination\":\"https://github.com/suprsend/suprsend-react-inbox/blob/main/docs/headless.md\"}],\"integrations\":{\"ga4\":{\"measurementId\":\"G-PPDYBESP2L\"},\"gtm\":{\"tagId\":\"GTM-T6W3P8RG\"},\"mixpanel\":{\"projectToken\":\"2febb9e078d777860c5624f2579507a7\"}},\"contextual\":{\"options\":[\"chatgpt\",\"claude\"]}},\"docsNavWithMetadata\":{\"global\":{\"anchors\":[{\"anchor\":\"Community\",\"icon\":\"slack\",\"color\":{\"light\":\"#f59f0b\",\"dark\":\"#f59f0b\"},\"href\":\"https://join.slack.com/t/suprsendcommunity/shared_invite/zt-3932rw936-XNWY1RC8bsffh4if4ZyoXQ\"},{\"anchor\":\"Trust Center\",\"icon\":\"shield-halved\",\"color\":{\"light\":\"#2564eb\",\"dark\":\"#2564eb\"},\"href\":\"https://trust.suprsend.com\"},{\"anchor\":\"Platform Status\",\"icon\":\"wifi\",\"color\":{\"light\":\"#2564eb\",\"dark\":\"#2564eb\"},\"href\":\"https://status.suprsend.com\"},{\"anchor\":\"Postman Collection\",\"icon\":\"code\",\"color\":{\"light\":\"#2564eb\",\"dark\":\"#2564eb\"},\"href\":\"https://www.postman.com/suprsend/suprsend/collection/16bdmwa/suprsend-apis\"}]},\"tabs\":[{\"tab\":\"Documentation\",\"groups\":[{\"group\":\"GETTING STARTED\",\"pages\":[{\"title\":\"What is SuprSend?\",\"description\":\"Learn about SuprSend and how you can use it to power multi-channel product notifications.\",\"href\":\"/docs/what-is-suprsend\"},{\"group\":\"Quick Start Guide\",\"pages\":[{\"title\":\"Overview\",\"description\":\"Start setting up your notifications with SuprSend by following quick start guides for one of the mentioned channels.\",\"href\":\"/docs/quick-start-guide\"},{\"title\":\"Email\",\"description\":\"Set up guide to send Email notifications via SuprSend.\",\"href\":\"/docs/email-quick-start\"},{\"title\":\"SMS\",\"description\":\"Set up guide to send SMS notifications via SuprSend.\",\"href\":\"/docs/sms-quick-start\"},{\"title\":\"Whatsapp\",\"description\":\"Set up guide to send Whatsapp notifications via SuprSend.\",\"href\":\"/docs/whatsapp-quick-start\"},{\"title\":\"Inbox\",\"description\":\"Set up guide to send In-app Inbox notifications via SuprSend.\",\"href\":\"/docs/inbox-quick-start\"},{\"title\":\"Mobile Push\",\"description\":\"Quickly set up \u0026 send Mobile Push notifications using SuprSend SDK\",\"href\":\"/docs/mobile-push-quick-start\"},{\"title\":\"Web Push\",\"description\":\"Quick start guide to set up \u0026 send Web Push notifications using SuprSend SDK in your website.\",\"href\":\"/docs/web-push-quick-start\"},{\"title\":\"Slack\",\"description\":\"Quick set up guide to start sending notification on Slack chat via SuprSend.\",\"href\":\"/docs/slack-quick-start\"},{\"title\":\"Microsoft Teams\",\"description\":\"Quick set up guide to start sending notification on MS Teams chat via SuprSend.\",\"href\":\"/docs/ms-teams-quick-start\"}]},{\"group\":\"Best Practices\",\"pages\":[{\"title\":\"Notification System Design\",\"description\":\"Best Practices on designing your backend architecture for seamless integration with SuprSend.\",\"href\":\"/docs/best-practices-notification-system-design\"},{\"title\":\"Batching \u0026 Digest\",\"description\":\"Guide on designing the right batching logic to group similar notifications and reduce notification fatigue, without compromising on user engagement.\",\"href\":\"/docs/best-practices-for-batching-digest\"}]},{\"group\":\"Plan Your Integration\",\"pages\":[{\"title\":\"Migrate in-house Notification System\",\"description\":\"Migrate your in-house notification system to SuprSend with this step-by-step guide.\",\"href\":\"/docs/migrating-your-existing-notifications\"},{\"title\":\"Workflow Trigger: Event vs Workflow API\",\"description\":\"Compare the methods to trigger workflow within SuprSend.\",\"href\":\"/docs/event-vs-api-trigger\"},{\"title\":\"Migrate from MagicBell to SuprSend\",\"description\":\"Migration guide to move your existing MagicBell notifications to SuprSend.\",\"href\":\"/docs/migrate-from-magicbell-to-suprsend\"}]},{\"title\":\"Go-live checklist\",\"description\":\"Checklist to ensure a smooth transition of your notifications from staging to production, covering pre-launch preparations, testing, and post-launch monitoring\",\"href\":\"/docs/go-live-checklist\"}]},{\"group\":\"CORE CONCEPTS\",\"pages\":[{\"group\":\"Templates\",\"pages\":[{\"title\":\"Design Template\",\"description\":\"How to create, manage, and test templates in SuprSend.\",\"href\":\"/docs/templates\"},{\"group\":\"Channel Editors\",\"pages\":[{\"title\":\"Email Template\",\"description\":\"How to design email template using either drag and drop editor or code editor.\",\"href\":\"/docs/email-template\"},{\"title\":\"In-App Inbox Template\",\"description\":\"How to design Inbox template with customisation options like action buttons, tags, pinning, and expiry.\",\"href\":\"/docs/in-app-inbox-template\"},{\"title\":\"SMS Template\",\"description\":\"How to design and publish SMS template.\",\"href\":\"/docs/sms-template\"},{\"title\":\"Whatsapp Template\",\"description\":\"How to design whatsapp template using form editor.\",\"href\":\"/docs/whatsapp-template\"},{\"title\":\"Android Push Template\",\"description\":\"How to design advanced Android Push template with customisation options to send silent, sticky notifications, and more.\",\"href\":\"/docs/android-push-template\"},{\"title\":\"iOS Push Template\",\"description\":\"How to design simple iOS Push template with click action and image.\",\"href\":\"/docs/ios-push-template\"},{\"title\":\"Web Push Template\",\"description\":\"How to design Webpush template with customisation options to add action buttons and image.\",\"href\":\"/docs/web-push-template\"},{\"title\":\"Slack Template\",\"description\":\"How to design Slack templates using text editor or JSONNET editor for rich block kit templates.\",\"href\":\"/docs/slack-template\"},{\"title\":\"Microsoft teams Template\",\"description\":\"How to design simple MS Teams template using markdown editor or use JSONNET editor to replicate Microsoft's adaptive card design.\",\"href\":\"/docs/ms-teams-template\"}]},{\"title\":\"Testing the Template\",\"description\":\"How to send a test notification from the template editor to your device for actual message preview.\",\"href\":\"/docs/testing-the-template\"},{\"title\":\"Handlebars Helpers\",\"description\":\"List of supported handlebars helpers that can be used in a template to format data or add conditions on the data passed in workflow trigger.\",\"href\":\"/docs/handlebars-helpers\"},{\"title\":\"Internationalization\",\"description\":\"Guide on handling multiple languages in the template \u0026 publish language-specific versions.\",\"href\":\"/docs/multi-lingual-template\"}]},{\"title\":\"Users\",\"description\":\"What does users stand for and how to manage user profiles in SuprSend\",\"href\":\"/docs/users\"},{\"title\":\"Events\",\"description\":\"How to send events to SuprSend to trigger workflows.\",\"href\":\"/docs/events\"},{\"title\":\"Workflow\",\"description\":\"Understand what is workflow and how to design, test, trigger and track workflow log.\",\"href\":\"/docs/workflows\"},{\"group\":\"Notification Categories\",\"pages\":[{\"title\":\"Overview\",\"description\":\"Overview of Notification Categories: How they drive preferences, vendor selection, and latency rules in workflow execution\",\"href\":\"/docs/notification-category\"},{\"title\":\"Manage Categories and Preferences\",\"description\":\"Set up and manage notification categories and preferences in SuprSend.\",\"href\":\"/docs/managing-notification-categories\"}]},{\"group\":\"Preferences\",\"pages\":[{\"title\":\"User Preferences\",\"description\":\"Learn how user preferences work in SuprSend and how to capture them.\",\"href\":\"/docs/user-preferences\"},{\"title\":\"Tenant Preferences\",\"description\":\"Learn how to manage preferences for your tenants and their users.\",\"href\":\"/docs/tenant-preference\"},{\"title\":\"Preference Evaluation\",\"description\":\"How SuprSend evaluates user preferences when sending notifications.\",\"href\":\"/docs/preference-evaluation\"}]},{\"title\":\"Tenants\",\"description\":\"Learn what tenants stand for and how you can customize notifications for each tenant.\",\"href\":\"/docs/tenants\"},{\"group\":\"Lists\",\"pages\":[{\"title\":\"Manage Lists\",\"description\":\"Create and manage subscriber lists for bulk notifications and campaigns.\",\"href\":\"/docs/lists\"},{\"title\":\"List sync via database\",\"description\":\"How to setup automated user sync in List from your database using SQL queries.\",\"href\":\"/docs/list-sync-via-database\"}]},{\"title\":\"Broadcast\",\"description\":\"How to trigger broadcast to a list of users.\",\"href\":\"/docs/broadcast\"},{\"group\":\"Objects\",\"pages\":[{\"title\":\"Manage Objects\",\"description\":\"How to model and manage non-user entities (teams/projects) with Objects.\",\"href\":\"/docs/objects\"},{\"title\":\"Object Subscriptions\",\"description\":\"Learn how to use subscriptions to notify a list of recipients associated with an object.\",\"href\":\"/docs/object-subscriptions\"}]},{\"title\":\"Translations\",\"description\":\"Learn how to use translations to localize your notifications in SuprSend.\",\"href\":\"/docs/translations\"},{\"title\":\"DLT Guidelines\",\"description\":\"Distributed Ledger Technology (DLT) guidelines for approving and sending SMS in India.\",\"href\":\"/docs/dlt-guidelines\"},{\"title\":\"Whatsapp Template Guidelines\",\"description\":\"Guidelines and allowed content for whatsapp template approval.\",\"href\":\"/docs/whatsapp-template-guidelines\"}]},{\"group\":\"WORKFLOW BUILDER\",\"pages\":[{\"title\":\"Design Workflow\",\"description\":\"Learn how to design, edit or publish workflow on SuprSend dashboard.\",\"href\":\"/docs/design-workflow\"},{\"group\":\"Node List\",\"pages\":[{\"title\":\"Delivery- Single Channel\",\"description\":\"Learn how to use delivery nodes like email, sms, whatsapp, mobile push, web push, slack, ms teams, inbox in workflows.\",\"href\":\"/docs/delivery-single-channel\"},{\"title\":\"Delivery- Multi-Channel\",\"description\":\"How to send notification across multiple channels in a single workflow step.\",\"href\":\"/docs/delivery-multi-channel\"},{\"title\":\"Smart Channel Routing\",\"description\":\"Send multi-channel notifications sequentially with a delay between each channel to reduce bombarding.\",\"href\":\"/docs/smart-delivery\"},{\"title\":\"Override Recipient\",\"description\":\"How to override default recipient in trigger nodes to notify specific users/ groups based on event properties?\",\"href\":\"/docs/override-recipient-list\"},{\"title\":\"Delay\",\"description\":\"Learn about delay node in workflow and how to use it to add wait between workflow steps.\",\"href\":\"/docs/delay\"},{\"title\":\"Batch\",\"description\":\"Learn about batch node in workflow and how to use it to group similar notifications into a single notification.\",\"href\":\"/docs/batch\"},{\"title\":\"Digest\",\"description\":\"Batch multiple alerts \u0026 send summary of notifications at a recurring schedule to the user.\",\"href\":\"/docs/digest\"},{\"title\":\"Wait Until\",\"description\":\"Learn to use Wait Until node in workflow to halt until a condition or max time is met.\",\"href\":\"/docs/wait-until\"},{\"title\":\"Fetch\",\"description\":\"Use Fetch node to dynamically fetch data from an API endpoint in workflow.\",\"href\":\"/docs/fetch\"},{\"title\":\"Webhook\",\"description\":\"Use webhook node to notify an external API endpoint such as a CRM or chat platform.\",\"href\":\"/docs/webhook\"},{\"title\":\"Branch\",\"description\":\"Use branch to route notifications across different paths by applying condition on input data.\",\"href\":\"/docs/branch\"},{\"title\":\"Time Window\",\"description\":\"Use time window in workflow to send notification in a given datetime range and user's timezone.\",\"href\":\"/docs/time-window\"},{\"title\":\"Data Transform\",\"description\":\"Guide to help you transform input data and generate new variables in workflow.\",\"href\":\"/docs/data-transform\"},{\"title\":\"Add User to list\",\"description\":\"Dynamically add users to list within a workflow.\",\"href\":\"/docs/add-user-to-list\"},{\"title\":\"Remove User from list\",\"description\":\"Dynamically remove users from list within a workflow.\",\"href\":\"/docs/remove-user-from-list\"},{\"title\":\"Subscribe to Object\",\"description\":\"Dynamically add users in object subscription within a workflow.\",\"href\":\"/docs/subscribe-to-object\"},{\"title\":\"Unsubscribe from Object\",\"description\":\"Dynamically remove users from object subscription within a workflow.\",\"href\":\"/docs/unsubscribe-from-object\"},{\"title\":\"Update User Profile\",\"description\":\"Update User Profile within workflow based on event or condition.\",\"href\":\"/docs/update-user-profile\"},{\"title\":\"Invoke Workflow\",\"description\":\"Trigger another workflow as a step in running workflow.\",\"href\":\"/docs/invoke-workflow\"}]},{\"group\":\"Workflow Settings\",\"pages\":[{\"title\":\"Throttle\",\"description\":\"Put a rate limit on number of workflow executions per user in a given time frame.\",\"href\":\"/docs/throttle\"}]},{\"title\":\"Trigger Workflow\",\"description\":\"Learn how to trigger workflows using any of the available methods.\",\"href\":\"/docs/trigger-workflow\"},{\"title\":\"Validate Trigger Payload\",\"description\":\"Validate the data passed to workflow API or event properties using JSON schemas to catch payload mismatch errors at API level.\",\"href\":\"/docs/validate-workflow-payload\"},{\"title\":\"Tenant Workflows\",\"description\":\"How to trigger workflows for tenant to apply tenant level customization in notifications.\",\"href\":\"/docs/tenant-workflows\"}]},{\"group\":\"Notification Inbox\",\"pages\":[{\"title\":\"Overview\",\"description\":\"Learn about features and benefits of SuprSend's notification inbox, with link to live demo and git repository.\",\"href\":\"/docs/inbox-overview\"},{\"title\":\"Multi Tabs\",\"description\":\"Learn how to set up stores to filter and display notifications in separate inbox tabs such as Read, Unread, and more.\",\"href\":\"/docs/multi-tabs\"},{\"group\":\"React\",\"pages\":[{\"title\":\"Overview\",\"description\":\"Ways to implement inbox feed functionality in React\",\"href\":\"/docs/react-inbox-integration\"},{\"title\":\"Migration Guide\",\"description\":\"Step-by-step guide to migrate from `@suprsend/react-inbox` to `@suprsend/react`.\",\"href\":\"/docs/react-migration-guide\"}]},{\"group\":\"Javascript (Angular, Vuejs etc)\",\"pages\":[{\"title\":\"Integration\",\"description\":\"How to integrate SuprSend inbox/feed components in Angular, Vue, VanillaJS, and other non-React frameworks.\",\"href\":\"/docs/web-components-integration\"},{\"title\":\"Customization options\",\"description\":\"How to customize the styling, CSS, and layout of the Inbox Feed to match your product’s design in non-React websites.\",\"href\":\"/docs/web-components-customisations\"}]},{\"group\":\"React Native\",\"pages\":[{\"title\":\"React Native (Headless)\",\"description\":\"Integrate SuprSend inbox in React Native using the headless library and hooks.\",\"href\":\"/docs/inbox-react-native\"},{\"title\":\"HMAC Authentication\",\"tag\":\"DEPRECATED\",\"description\":\"Steps to safely authenticate users and generate subscriber-id in headless Inbox implementation.\",\"href\":\"/docs/hmac-authentication\"}]},{\"title\":\"Flutter (Headless)\",\"description\":\"Integrate SuprSend inbox in Flutter using the headless SDK and hooks.\",\"href\":\"/docs/inbox-flutter\"}]},{\"group\":\"PREFERENCE CENTRE\",\"pages\":[{\"title\":\"Embedded Preference Centre\",\"description\":\"How to integrate a Notification Preference Center into your website and add its link to your notification templates.\",\"href\":\"/docs/embedded-preference-centre\"},{\"title\":\"Javascript\",\"description\":\"Integration guide to add notification preference centre in Javascript website.\",\"href\":\"/docs/preferences-javascript\"},{\"title\":\"Angular\",\"description\":\"Integration guide to add notification preference centre in Angular website.\",\"href\":\"/docs/preferences-angular\"},{\"title\":\"React\",\"description\":\"Integration guide to add notification preference centre in React website.\",\"href\":\"/docs/preferences-react-headless\"}]},{\"group\":\"VENDOR INTEGRATION GUIDE\",\"pages\":[{\"title\":\"Overview\",\"description\":\"Learn about vendor management in SuprSend to send multi-channel notifications.\",\"href\":\"/docs/vendors\"},{\"group\":\"Email Integrations\",\"pages\":[{\"title\":\"Sendgrid\",\"description\":\"Guide to connect your Sendgrid account with SuprSend to send email notifications.\",\"href\":\"/docs/sendgrid\"},{\"title\":\"Amazon SES\",\"description\":\"Guide to connect your AWS SES account with SuprSend to send email notifications.\",\"href\":\"/docs/amazon-ses\"},{\"title\":\"Mailgun\",\"description\":\"Guide to connect your Mailgun account with SuprSend to send email notifications.\",\"href\":\"/docs/mailgun\"},{\"title\":\"Resend\",\"description\":\"Guide to connect your Resend account with SuprSend to send email notifications.\",\"href\":\"/docs/resend\"},{\"title\":\"Postmark\",\"description\":\"Guide to connect your Postmark account with SuprSend to send email notifications.\",\"href\":\"/docs/postmark\"},{\"title\":\"Mailjet\",\"description\":\"Guide to connect your Mailjet account with SuprSend to send email notifications.\",\"href\":\"/docs/mailjet\"}]},{\"group\":\"SMS Integrations\",\"pages\":[{\"title\":\"ACL Sinch\",\"description\":\"Guide to connect your ACL Sinch account with SuprSend to send SMS notifications.\",\"sidebarTitle\":\"ACL Sinch\",\"href\":\"/docs/acl-sinch\"},{\"title\":\"Twilio\",\"description\":\"Guide to connect your Twilio account with SuprSend to send SMS notifications.\",\"href\":\"/docs/twilio\"},{\"title\":\"Karix\",\"description\":\"Guide to connect your Karix account with SuprSend to send SMS notifications.\",\"href\":\"/docs/karix-sms\"},{\"title\":\"Gupshup\",\"description\":\"Guide to connect your Twilio account with Gupshup to send SMS notifications.\",\"href\":\"/docs/gupshup-sms\"},{\"title\":\"AWS SNS\",\"description\":\"Guide to integrate AWS SNS with SuprSend for SMS delivery.\",\"href\":\"/docs/aws-sns-sms\"},{\"title\":\"Pinnacle\",\"description\":\"Guide to connect your Pinnacle account with SuprSend to send SMS notifications.\",\"href\":\"/docs/pinnacle\"}]},{\"group\":\"Android Push\",\"pages\":[{\"title\":\"Firebase FCM\",\"description\":\"Guide to integrate Firebase Cloud Messaging (FCM) to send Android Push notifications via SuprSend.\",\"href\":\"/docs/firebase-fcm-androidpush\"}]},{\"group\":\"Whatsapp Integrations\",\"pages\":[{\"title\":\"Karix\",\"description\":\"Guide to connect your Karix account with SuprSend to send Whatsapp notifications.\",\"href\":\"/docs/karix-whatsapp\"},{\"title\":\"Gupshup\",\"description\":\"Guide to connect your Gupshup account with SuprSend to send Whatsapp notifications.\",\"href\":\"/docs/gupshup-whatsapp\"},{\"title\":\"Exotel Cloud API\",\"description\":\"Guide to connect your Exotel account with SuprSend to send Whatsapp notifications.\",\"href\":\"/docs/exotel\"},{\"title\":\"Whatsapp Cloud API\",\"description\":\"Integration guide to setup whatsapp notifications on meta using Whatsapp Cloud API.\",\"href\":\"/docs/whatsapp-cloud-api\"},{\"title\":\"Netcore\",\"description\":\"Guide to connect your Netcore account with SuprSend to send Whatsapp notifications.\",\"href\":\"/docs/netcore-whatsapp\"}]},{\"title\":\"iOS Push\",\"description\":\"Guide to setup APNS iOS Push configuration in SuprSend.\",\"href\":\"/docs/ios-push-vendor-integration\"},{\"group\":\"Chat Integrations\",\"pages\":[{\"title\":\"Slack\",\"description\":\"Guide to integrate Slack App for sending notification to user DM or channels in any workspace.\",\"href\":\"/docs/slack\"},{\"title\":\"Microsoft Teams\",\"description\":\"Guide to integrate Microsoft Teams App for sending notification to user DM or channels in any workspace.\",\"href\":\"/docs/microsoft-teams\"}]},{\"title\":\"Vendor Fallback\",\"description\":\"Guide to setup a fallback vendor to send notification when primary fails to deliver notification.\",\"href\":\"/docs/vendor-fallback\"},{\"title\":\"Tenant Vendor\",\"description\":\"How to setup per-tenant vendor for routing notifications through tenant vendor instead of the default company vendor.\",\"h | 2026-01-13T08:48:11 |
https://dev.to/dataframed-podcast/93-how-data-science-drives-value-for-finance-teams | #93 How Data Science Drives Value for Finance Teams - 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 A DataFramed Podcast Follow #93 How Data Science Drives Value for Finance Teams Jun 27 '22 play Building data science functions has become tables takes for many organizations today. However, before data science functions were needed, the finance function acted as the insights layer for many organizations over the past. This means that working in finance has become an effective entry point into data science function for professionals across all spectrums. Brian Richardi is the Head of Finance Data Science and Analytics at Stryker , a medical equipment manufacturing company based in Michigan, US. Brian brings over 14 years of global experience to the table. At Stryker, Brian leads a team of data scientists that use business data and machine learning to make predictions for optimization and automation. In this episode, Brian talks about his experience as a data science leader transitioning from Finance, how he utilizes collaboration and effective communication to drive value, how leads the data science finance function at Stryker, and what the future of data science looks like in the finance space, and more. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:11 |
https://dev.to/dataframed-podcast/98-interpretable-machine-learning | #98 Interpretable Machine Learning - 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 A DataFramed Podcast Follow #98 Interpretable Machine Learning Aug 1 '22 play One of the biggest challenges facing the adoption of machine learning and AI in Data Science is understanding, interpreting, and explaining models and their outcomes to produce higher certainty, accountability, and fairness. Serg Masis is a Climate & Agronomic Data Scientist at Syngenta and the author of the book, Interpretable Machine Learning with Python . For the last two decades, Serg has been at the confluence of the internet, application development, and analytics. Serg is a true polymath. Before his current role, he co-founded a search engine startup incubated by Harvard Innovation Labs, was the proud owner of a Bubble Tea shop, and more. Throughout the episode, Serg spoke about the different challenges affecting model interpretability in machine learning, how bias can produce harmful outcomes in machine learning systems, the different types of technical and non-technical solutions to tackling bias, the future of machine learning interpretability, and much more. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:11 |
https://dev.to/pcraig3/cloud-run-vs-app-engine-a-head-to-head-comparison-using-facts-and-science-1225#methodology | Cloud Run vs App Engine: a head-to-head comparison using facts and science - 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 Paul Craig Posted on Nov 12, 2020 • Edited on Nov 27, 2020 Cloud Run vs App Engine: a head-to-head comparison using facts and science # cloud # googlecloud # docker # serverless For low-traffic applications, Cloud Run is dramatically cheaper than App Engine. Abstract I was hosting a small web app as a side-project and looking to spend less money. I started out using Heroku, then moved to Google’s Cloud Platform. Using rigorous methods and markdown tables, I performed a science-inspired “how much does this cost?” comparison between App Engine and Cloud Run. This study finds that Cloud Run is usually the best option , although if you have money to burn are a “price insensitive consumer,” then App Engine is a bit zippier. Introduction Imagine you have a side-project-type web app and you’re looking to host it on Google’s Cloud Platform (GCP) but you don’t want to spend too much ca$h. Which GCP service do 4 out of 5 scientists recommend? Let’s find out. Background My incredible journey went basically thus: I built a small express app for upcoming Canadian holidays and wanted cheap but usable hosting. Initially, I was using Heroku’s $7/month Hobby Plan because at the end of the day month, it’s only $7. (ie, that’s like 3 coffees: ‘a coffee’ being the base unit of diminutive purchases.) Heroku was really easy to get going with, to integrate with GitHub Actions , and to ssh into when I needed to fiddle with something. But around month five, it dawned on me that it was going to cost $7/month for the rest of my life, so I started looking for other options. Pivoting to Google Cloud Platform (GCP) GCP was the cloud vendor with the most bonus cash on sign-up, so I figured that was a pretty neutral and unbiased reason to pick it. However, as a hapless first-time user, there are a lot of “ solutions ” to choose from. It seems like you’re not a real cloud vendor unless you can bury newcomers under an avalanche of vaguely differentiated products with abstract geometrical logos, so a straightforward question like “where do I host a basic express app?” didn’t have an obvious answer. Cutting through the media bias with facts and logic, I was able to narrow it down by following the research methodology of googling “ google cloud how do I host express app ”. The two options that popped up were: App Engine Cloud Run Both services will run apps and I had an app to run. Seemed perfect: they anticipated me like how I anticipated Canadians are looking for information about holidays. Methodology By signing up, I was granted 300 (!!) GCP bucks, and as a long-time government employee I knew this meant I had to find a creative way to spend it before the end of the fiscal year. Are you thinking what I’m thinking? Let’s run a research study! (This is where the science comes in.) My research question was “Should I use App Engine or Cloud Run to host my fun but unprofitable app?”, and to investigate that I opted for the immersion method where I would assume the role of a developer trying to host an app on Google Cloud. Setup As a precursor, I needed to set up my app on both services simultaneously. For the initial setup, I used the Quickstart material provided by Google at no cost to embedded researchers like me. (Both Quicks-start are pretty easy to follow once you have the gcloud command-line tools installed .) Overview: App Engine (AE) Node.js Quickstart for App Engine On AE, my express app runs as a node process, like booting it up with npm start locally. AE is a traditional hosting platform: it runs continuously and serves requests as they come in. At the end of the month, you pay for the amount of time it was running, which is typically “the entire month”. Overview: Cloud Run “Build and Deploy” Quickstart for Cloud Run Cloud Run runs containers, so for each release you have to build a container and push it to GCP. Unlike App Engine, Cloud Run only runs when requests come in, so you don’t pay for time spent idling. Containerized apps are more portable but not always something you focus on during development. It’s worth noting that the Cloud Run Quickstart provides 9 example Dockerfiles depending on your language of choice. (I used the Node.js one as a basis.) Simulating traffic At this point in the study, I had 2 instances of my app running: In App Engine: https://hols-ae.nn.r.appspot.com/ In Cloud Run: https://hols-hzlcxvebra-ue.a.run.app/ Because real applications have real traffic, I set up a ping service to send requests to each site exactly once every 47 minutes for the rest of time, just like how a Real Human Being™️ would browse. Having completed my setup, it was time to let the experiment run its course, so I passed the time doing highly academic things like rinsing noobs at dominion.games . Duration 2 months. Findings There were 2 principal findings of the study. For a low-traffic application, Cloud Run is dramatically cheaper than App Engine App Engine seems to respond slightly faster 1. Ongoing costs — Cloud Run wins ✅ Cloud Run App Engine Heroku Hobby Plan Monthly cost $0.09 $11.29 $7.00 Wow. App Engine runs 24/7 for the entire month whereas Cloud Run only runs when serving requests, and the difference is startling. Previously, I had been paying $7 a month for Heroku’s Hobby Plan . App Engine would cost me about 50% more Cloud Run costs 99% less , oh my goodness So basically it’s a blowout win for Cloud Run here. 2. Request latency — App Engine (usually) wins ✅ I also used some online speed test tools to measure the response times of my 2 instances. The results weren’t totally consistent, but App Engine generally responded more quickly. Pingdom Speed test (Results of 3 runs from São Paulo) Cloud Run App Engine Run 1 632 ms 471 ms Run 2 485 ms 568 ms Run 3 562 ms 470 ms Average 559 ms 503 ms Here we see App Engine responding on average 56 ms faster than Cloud Run (although in 1 case, Cloud Run was faster). The huge caveat here is that these times vary widely between runs, sometimes tripling or quadrupling depending on Who The F*ck Knows. WebPageTest (Results of 3 runs using “3G” download speed.) Cloud Run App Engine Run 1 5.217 s 5.010 s Run 2 5.310 s 4.922 s Run 3 5.353 s 5.089 s Average 5.293 s 5.007 s Again, keep in mind that these numbers shift around between runs. Why is App Engine faster? This isn’t totally clear to me, but I can speculate. The one measurable difference I noticed is that that the total request size from Cloud Run was larger because it doesn’t gzip files by default. Cloud Run App Engine Page size 125.8 KB 119.4 KB The Pingdom Speed Test for Cloud Run recommended I Compress components with gzip , and looking through the requests, my combined .js assets are indeed about 6 KB larger. Downloading bigger files makes your site slower, but I don’t think that’s the whole story. The big difference between the two services is that Cloud Run doesn’t run your container unless it’s getting requests. When a request comes in, it does 3 things: boots up the container serves the request shuts down the container It seems likely that the extra time needed to boot up the container adds to the total request time, leading to an average slower response time from Cloud Run. Of course, you also save a lot of money doing it this way, so the tradeoff here is whether you care more about optimizing your speed or your cost. Findings For me, the findings are decisive. If you’re a hobbyist developer and you want to host your fun app for next-to-free, you should definitely use Google Cloud Run. However, if money is no object, then you can pay exponentially more per month for a marginal speed boost on App Engine. Further reading Read more about why Google Cloud Run is better than other hosting options For an excellent intro to Docker, check out this excellent guide by Robert Cooper Check out Google’s “Build and Deploy” Quickstart for Cloud Run Use Github Actions to deploy automatically to Cloud Run Top comments (29) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Ashish “Logmaster” Boston Ashish “Logmaster” Boston Ashish “Logmaster” Boston Follow Joined Jan 4, 2021 • Jan 4 '21 Dropdown menu Copy link Hide Your app-engine was setup to "autoscale" hence the instance would stay up constantly costing you $. If you changed it to "basic" auto-scaling, GAE would have auto scale down and stop the instance and costs should be similar to cloud run. Could you pls re-test with this setting so its a more fair comparison. Thanks, cloud.google.com/appengine/docs/st... Like comment: Like comment: 16 likes Like Comment button Reply Collapse Expand msl00 msl00 msl00 Follow Joined Jan 12, 2021 • Jan 12 '21 • Edited on Jan 12 • Edited Dropdown menu Copy link Hide The linked documentation could be more clear, but it is not correct to say that "autoscaled" instances are "up constantly costing you $". You linked to the "Instance State" section, and it is saying that "autoscaled" instances will only ever show as being in the "running" state (vs the "stopped" state possible for "manual" or "basic" scaling). This is because "autoscaled" instances are shut down after some time (if no requests come in), not that the instances are running 24/7. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Igor Konforti Igor Konforti Igor Konforti Follow Location Berlin-ב Work SRE Joined Aug 14, 2020 • Apr 1 '21 Dropdown menu Copy link Hide I have to agree with @msl00 here! It's unclear and AFAIK AppEngine can NOT auto-scale to 0! Like comment: Like comment: 1 like Like Thread Thread Vajahath Vajahath Vajahath Follow Joined Mar 22, 2019 • May 15 '21 Dropdown menu Copy link Hide App engine standard environment can scale down to zero. I'm paying zero for for my hobby project. cloud.google.com/appengine/docs/th... Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Vugar Vugar Vugar Follow Joined May 9, 2021 • Mar 12 '23 Dropdown menu Copy link Hide The problem with autoscaling to 0 is that it causes cold start. Assume your app is idle state(usually after 20 minutes when no new requests coming) so the total number of instance would be 0. So it take about 10 seconds to start the server in AppEngine for a first request. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Izzy Young Izzy Young Izzy Young Follow Joined Jul 19, 2019 • Mar 18 '21 Dropdown menu Copy link Hide I laughed out a loud a couple of times reading this article. You have a great sense of humor and a fantastic writing style :) Like comment: Like comment: 10 likes Like Comment button Reply Collapse Expand mdovn mdovn mdovn Follow ... Joined Feb 12, 2020 • Sep 1 '21 Dropdown menu Copy link Hide "sometimes tripling or quadrupling depending on Who The F*ck Knows." =)) Like comment: Like comment: 8 likes Like Comment button Reply Collapse Expand bharatsawnani bharatsawnani bharatsawnani Follow Joined Dec 9, 2020 • Dec 9 '20 Dropdown menu Copy link Hide Nice tests and post, but you should specify which environment you're using for GAE. I primarily code in Java (Haven't deployed with Node.js on GAE so far) and from my experience the Standard environment works similarly to Cloud Run, as it spins up a new instance when a request is made (if there wasn't one already idle). The instance stays idle for 15 mins after that it's shutted down. Google gives you a daily free usage quota of 28 hours for instances. Hence if you tests were runnning once every 47 mins (and the requests didn't require much processing power)... then your daily cost would be 0.00$ as you wouldn't be surpassing the daily free quota. If your tests were on the Flexible Environment then that's a whole different story as an instance has to be idle all the time and I am not so sure what machine type they start of from there. In Standard the lowest instance is an F1, whicho would have 256mb RAM, which is not much but enough for a simple app. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Samuel Favarin Samuel Favarin Samuel Favarin Follow I am a Software Engineer and a Bachelor of Computer Science Location Florianópolis, Brazil Work Software Engineer at Conecta Nuvem Joined Nov 12, 2020 • Nov 13 '20 Dropdown menu Copy link Hide Nice post! In the future would be cool to do a benchmark to compare with a similar AWS service. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Paul Craig Paul Craig Paul Craig Follow Writes code, drinks tea, etc. Certainly would never get a haircut. Location Ottawa, Canada Work Dev at Canadian Digital Service Joined Oct 30, 2020 • Nov 13 '20 Dropdown menu Copy link Hide It's a good question. At work we use Fargate a lot, which I find a lot more complex than Cloud Run to set up, but it has a similar "serverless container" platform concept as CR does. Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Mario La Menza Perello Mario La Menza Perello Mario La Menza Perello Follow Joined Aug 9, 2021 • Aug 9 '21 • Edited on Aug 9 • Edited Dropdown menu Copy link Hide I was unsuccessful trying to find out something about your app's datasource. Because IMO there is the big cost, when using Cloud Run. I agree with you, Cloud Run is cheap, but you have to use Cloud SQL as a datasource and in my experience it is far expensive compared with a SQL instance running in GCE. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Mike Neilens Mike Neilens Mike Neilens Follow Joined Mar 25, 2020 • Jun 21 '24 Dropdown menu Copy link Hide I’ve been running a couple of applications on App Engine for several years and never been billed more than $0.50 per month. I think you may have set up App Engine incorrectly for the workload you are using. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Dom Dom Dom Follow Joined Feb 12, 2020 • Jan 12 '21 • Edited on Jan 12 • Edited Dropdown menu Copy link Hide Misleading post as the premise is that you pay for App Engine 24/7 which isn't true on the standard instances (predefined languages versions e.g. Go 1.12) only if you choose flex (custom versions). Otherwise you have a point but it's not clear and standard App Engine covers most use cases. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Maxim Tan Maxim Tan Maxim Tan Follow Joined Dec 26, 2021 • Dec 26 '21 • Edited on Dec 26 • Edited Dropdown menu Copy link Hide Just to chime in for anyone confused by the huge price difference. In my experience, App Engine Standard Environment with automatic scaling will effectively scale down to "0 instances": After 15 minutes with no request, with automatic scaling, you are billed NOTHING. ( dev-to-uploads.s3.amazonaws.com/up... ) Google states on their pricing page: Accrual of instance hours begins when an instance starts and ends as described below, depending on the type of scaling you specify for the instance: Basic or automatic scaling: accrual ends fifteen minutes after an instance finishes processing its last request. Manual scaling: accrual ends fifteen minutes after an instance shuts down. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand lostinthefield lostinthefield lostinthefield Follow Work Web Developer at Field Museum Joined Apr 27, 2021 • Apr 27 '21 Dropdown menu Copy link Hide Paul, thanks for this hilarious and informative comparison! I was wondering if you had also considered deploying this site as a static site on something like Firebase Hosting/Vercel/Netlify/Github Pages, etc. (straight to a CDN, instead of worrying about hosting)? Next.js takes cares of a lot of pain points (data fetching, caching etc.). We're considering something like that for our own site. You do lose the benefit of having a proper node.js backend, but so far our needs can be met by Next.js mixed with maybe some serverless functions. Overall, that could maybe bring costs down even further than an auto-scaling container, as long as you don't need access to a real server...? Just food for thought. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Lars Rye Jeppesen Lars Rye Jeppesen Lars Rye Jeppesen Follow Aspartam Junkie Location Vice City Pronouns Grand Master Joined Feb 10, 2017 • Dec 18 '22 Dropdown menu Copy link Hide NextJs is great but locks you in to using old hat React, not everybody's cup of tea, mind you. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand dmytro lysak dmytro lysak dmytro lysak Follow Joined Oct 8, 2021 • Oct 8 '21 Dropdown menu Copy link Hide What about the 1 million requests are free per month on cloud run? Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Lisa Guinn Lisa Guinn Lisa Guinn Follow Joined Oct 19, 2021 • Oct 19 '21 Dropdown menu Copy link Hide This is the monthly free tier on Cloud Run: 180,000 vCPU-seconds 360,000 GiB-seconds (memory) 2 million requests 1 GiB free data egress within North America So the app must have exceeded one of these parameters to incur a monthly charge cf. cloud.google.com/run/pricing Like comment: Like comment: 1 like Like Comment button Reply View full discussion (29 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 Paul Craig Follow Writes code, drinks tea, etc. Certainly would never get a haircut. Location Ottawa, Canada Work Dev at Canadian Digital Service Joined Oct 30, 2020 More from Paul Craig Quickstart: Continuous deployment to Google Cloud Run using Github Actions # github # serverless # googlecloud # tutorial Google Cloud Run: the best hosting platform for dynamic apps # cloud # googlecloud # docker # serverless 💎 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:11 |
https://docs.suprsend.com/docs/multi-tabs | Multi Tabs - 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 Notification Inbox Multi Tabs Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Notification Inbox Multi Tabs OpenAI Open in ChatGPT Learn how to set up stores to filter and display notifications in separate inbox tabs such as Read, Unread, and more. OpenAI Open in ChatGPT Define stores in SDK For supporting multiple tabs, list of stores need to be defined while initializing inbox SDK. If stores is ignored you can get all notifications. How to configure tags for tabs To show notifications in tabs based on tags: Add tags in Inbox template : Go to your Inbox template → Advanced configuration → Tags section and add the tag (e.g., mentions ). After publishing the template, you can click on the tag to copy it. Configure tags in Inbox config : In your Inbox configuration, pass the tag in the query as tags: "mentions" (or use an array for multiple tags like tags: ["mentions", "replies"] ). Important : Tags in workflow are used to group or filter similar workflows on the workflow listing page. Tags filter inside Inbox works on the tags provided in the Inbox template, not workflow tags. IStore Copy Ask AI interface IStore { storeId : string label ?: string query ?: { tags ?: string | string [] categories ?: string read ?: boolean archived ?: boolean } } Property Description storeId Unique identifier that identifies the store from list of stores. This can be any string. label This is used to show name on Tab for that store. If not provided storeId will be shown on tab, if you are using inbox with SuprSend’s UI. query depending on use case you can design query for grouping inbox notifications in specific store/tab. Ignore this field if you want to get all notifications. tags Pass string or array of string to filter notifications that only has any one of those tags. Ignore this field to get all notifications irrespective of tags. You can add tags while designing inbox template inside Advanced configuration section. After publishing it you can click on tag to copy it. categories Filter notifications based on notification category. Ignore this field to get all notifications irrespective of category. read Used to get all notifications which are in read state. Ignore this field to get all notifications irrespective of read status. archived Used to get all notifications which are archived. Ignore this field to get all unarchived notifications. Example with tags Example with multiple filters Copy Ask AI stores = [ { storeId: "all" , label: "All" }, { storeId: "mentions" , label: "Mentions" , query: { tags: "mentions" } }, { storeId: "archived" , label: "Archived" , query: { archived: true } } ] The first example shows how to create tabs for “All”, “Mentions” (filtered by mentions tag), and “Archived” notifications. The second example gets notifications which belong to transactional category and in read state and has profile or user tag. Was this page helpful? Yes No Suggest edits Raise issue Previous Overview Ways to implement inbox feed functionality in React Next ⌘ I x github linkedin youtube Powered by On this page Define stores in SDK How to configure tags for tabs | 2026-01-13T08:48:11 |
https://dev.to/deved/build-apps-with-google-ai-studio#Is-the-track-really-free | Build Apps with Google AI Studio - DEV Education Track - 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 DEV Education Tracks > Build Apps with Google AI Studio Build Apps with Google AI Studio Follow Tag View Discussions Learn to turn text prompts into fully functional web applications using Google AI Studio Track Overview The moment is here! We recently announced DEV Education Tracks , our new initiative to bring you structured learning paths directly from industry experts. Today, we're thrilled to launch our very first track in partnership with the team at Google AI . This track will guide you through Google AI Studio's new "Build apps with Gemini" feature, where you can turn a simple text prompt into a fully functional, deployed web application in minutes. A New Way to Learn This inaugural track perfectly exemplifies our goal for DEV Education Tracks: to close the gap between discovering a new technology and building with it confidently. By partnering directly with the Google AI team, we're able to bring you an authoritative, hands-on guide to one of the most exciting new tools in AI development. How to Complete This Track This DEV Education Track is a three-part experience: 1) an expert tutorial followed by 2) a hands-on build and 3) a writing assignment . Work through all three parts and you'll earn the exclusive Google AI Studio Builder badge ! Track Details Skill Level Beginner Earn This Badge Build Apps with Google AI Studio Badge Complete the track to earn this badge Learn More Get additional details and ask questions about the Build Apps with Google AI Studio learning track. View Announcement Learning Partner: Google AI Google AI is at the forefront of artificial intelligence research and development, creating tools and technologies that democratize AI for developers worldwide. Through Google AI Studio, they're making it easier than ever to build intelligent applications. Explore Google AI Studio Learning Curriculum Follow this structured learning path to master the skills 1 📖 Part 1: Follow the Expert Tutorial Start with the comprehensive guide created by the Google AI team to learn how to use Google AI Studio from idea to deployment. Learning Objectives Understand Google AI Studio's app building capabilities Learn how to craft effective prompts for app generation Navigate the deployment process Explore the generated code and understand the structure Getting Started Begin by reading through the expert tutorial created by the Google AI team. This comprehensive guide will walk you through every step of the process, from initial setup to final deployment. Read the Tutorial Module Details Duration 30-45 minutes Difficulty Beginner Prerequisites None - just curiosity about AI development 2 🤖 Part 2: Build Your Own App Put your new skills to the test by building an app that incorporates image generation with the Imagen API. Learning Objectives Apply learned concepts to create your own application Experiment with different prompt strategies Integrate image generation capabilities Deploy a working web application Getting Started After working through the tutorial, your assignment is to use the build feature in Google AI Studio to build an app that incorporates image generation with the Imagen API. We encourage you to come up with your own apps, but here are some ideas if you need inspiration: App Ideas for Inspiration: RPG character portrait generator Fridge-photo based recipe generator On-demand coloring book generator Logo generator for business ideas Share Your Project Module Details Duration 1-3 hours Difficulty Beginner to Intermediate 3 ✏️ Part 3: Earn Community Recognition Share your creation with the DEV community and earn your exclusive Google AI Studio Builder badge. Learning Objectives Document your development process Share learnings with the community Reflect on the experience and key takeaways Contribute to the collective knowledge base Getting Started Use our official submission template to share your assignment and earn your badge! Your submission should include: The prompt you used to generate the app A link to your deployed application Screenshots or demo of your app in action Brief description of your experience and what you learned Our team reviews submissions on a rolling basis with badges awarded every few days. There's no deadline! Share Your Project Module Details Duration 30 minutes Difficulty Beginner Frequently Asked Questions Get answers to common questions about the Build Apps with Google AI Studio track Quick Navigation Frequently Asked Questions Do I need coding experience? What kind of apps can I build? How long does it take to complete the track? Is the track really free? What if I get stuck? Can I modify the generated app? Frequently Asked Questions Do I need coding experience? No! Google AI Studio is designed to be accessible to everyone, regardless of coding background. The AI generates the code for you based on your prompts. What kind of apps can I build? You can build a wide variety of web applications, especially those that benefit from AI capabilities like image generation, text processing, and data analysis. How long does it take to complete the track? Most learners complete the track in 2-4 hours, but you can work at your own pace. There's no deadline! Is the track really free? Yes! The track is completely free. You'll only need a Google account to access Google AI Studio. What if I get stuck? Join our community discussions using the #learngoogleaistudio tag, where you can ask questions and get help from other learners and the Google AI team. Can I modify the generated app? Absolutely! The generated code is yours to customize and extend. Many learners start with the AI-generated base and then add their own features. 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:11 |
https://www.youtube.com/watch?v=06Beyp_iDL0&ab_channel=NateHerk%7CAIAutomation | 3 AI Workflows Step-by-Step (Beginner's Guide to n8n) - YouTube 정보 보도자료 저작권 문의하기 크리에이터 광고 개발자 약관 개인정보처리방침 정책 및 안전 YouTube 작동의 원리 새로운 기능 테스트하기 © 2026 Google LLC, Sundar Pichai, 1600 Amphitheatre Parkway, Mountain View CA 94043, USA, 0807-882-594 (무료), yt-support-solutions-kr@google.com, 호스팅: Google LLC, 사업자정보 , 불법촬영물 신고 크리에이터들이 유튜브 상에 게시, 태그 또는 추천한 상품들은 판매자들의 약관에 따라 판매됩니다. 유튜브는 이러한 제품들을 판매하지 않으며, 그에 대한 책임을 지지 않습니다. var ytInitialData = {"responseContext":{"visitorData":"CgtMOXFoaXpEZ0d1QSjGjZjLBjIKCgJLUhIEGgAgRmLfAgrcAjE1LllUPWRPWDlKMjg0NDdtMktIVW1Bcm01OWZiWnVHelJEbTlaRU83TEVDMzlLUm5HdmFxaDhUUzd3OXFmU2ZVWmxEQUJ3bkZwMjJEeDdGOWhvSVd0QTdqR0Q3ODdIUjVHbXY2Z2xVdFFvMDB0Y1JYdTRncmFselhPaF9FWmNiVjVZTndxX1pMY1Blc2l2elVYdWE2d1ZSY1AwaDdwSkUxUzdJMXZ0ZVVKeTJwaGxGTVU0ZjJXbVZxZFUyc3ZFZEZpcVQyVG1FckFWYWI2V2RXdE5PZkU3dXdfbXVWNUpqdDBIY1kzbzVuTHZURExxcEk5YzdKY1dRbHRQaGpOa0Z6SlVQNU1EV0Y4Z2QzQmJKWlR1ODQyanFqM1B6SjZZUEZyX0xJeEx1Y28ybXFrc0ZBYWI3UmowekRxWTRzN2JBUTY5bFVITUlNNVZHdG52U1hXdVo0WjBhLUFRZ4IB3wJb0BKa1UrEU1RWUBj7cu2AwYZl2mj882lZVZ9oL_mEUg2a7iHhOHAn7ozxMKtbFHkuhLS5hf0UxQ_GTo0ADXnbUTGgw7n-4aatdN5P2gkhuaIr_g0eoK_Agi26-ibQCaXWNyKtUil8IIELLlC4snoZNrci-BFMBXDLkECnD8mpULABDgvthIwjQWyYuPXjDJnmVnCo06Ch3HLv9hfXIlQsoUvUdKXJ0FYiy-aPZUlKzKp7ARi3NKeQqLYfQG2cr9G8H_0WCXITLFWdKXx5v7B2A-m-iMoqGCV6jhuT_G6VPq49TYZEsWW22gxqOZ6cubh7kyrssrjcx0gTJ2faHiz_7kpAVTsfAaqQ8fAOAJGQBO3RelaazKoG7tcRMt98V0QNWzaapvGRyrhV_xPor6CTLIiu8McSHgWCcmdLYdCqrifg_U80UWyXibuSZubwc4IsksA6R6OIDm8Lwre0nuE%3D","serviceTrackingParams":[{"service":"CSI","params":[{"key":"c","value":"WEB"},{"key":"cver","value":"2.20260109.01.00"},{"key":"yt_li","value":"0"},{"key":"GetWatchNext_rid","value":"0x5b014447b865c42a"}]},{"service":"GFEEDBACK","params":[{"key":"logged_in","value":"0"},{"key":"visitor_data","value":"CgtMOXFoaXpEZ0d1QSjFjZjLBjIKCgJLUhIEGgAgRmLfAgrcAjE1LllUPWRPWDlKMjg0NDdtMktIVW1Bcm01OWZiWnVHelJEbTlaRU83TEVDMzlLUm5HdmFxaDhUUzd3OXFmU2ZVWmxEQUJ3bkZwMjJEeDdGOWhvSVd0QTdqR0Q3ODdIUjVHbXY2Z2xVdFFvMDB0Y1JYdTRncmFselhPaF9FWmNiVjVZTndxX1pMY1Blc2l2elVYdWE2d1ZSY1AwaDdwSkUxUzdJMXZ0ZVVKeTJwaGxGTVU0ZjJXbVZxZFUyc3ZFZEZpcVQyVG1FckFWYWI2V2RXdE5PZkU3dXdfbXVWNUpqdDBIY1kzbzVuTHZURExxcEk5YzdKY1dRbHRQaGpOa0Z6SlVQNU1EV0Y4Z2QzQmJKWlR1ODQyanFqM1B6SjZZUEZyX0xJeEx1Y28ybXFrc0ZBYWI3UmowekRxWTRzN2JBUTY5bFVITUlNNVZHdG52U1hXdVo0WjBhLUFRZw%3D%3D"}]},{"service":"GUIDED_HELP","params":[{"key":"logged_in","value":"0"}]},{"service":"ECATCHER","params":[{"key":"client.version","value":"2.20260109"},{"key":"client.name","value":"WEB"}]}],"mainAppWebResponseContext":{"loggedOut":true,"trackingParam":"kx_fmPxhoPZRrCsKXpuP32dZg7aGvQz4UBMhwiiG8d8vs7HRgkussh7BwOcCE59TDtslLKPQ-SS"},"webResponseContextExtensionData":{"webResponseContextPreloadData":{"preloadMessageNames":["twoColumnWatchNextResults","results","videoPrimaryInfoRenderer","videoViewCountRenderer","menuRenderer","menuServiceItemRenderer","segmentedLikeDislikeButtonViewModel","likeButtonViewModel","toggleButtonViewModel","buttonViewModel","modalWithTitleAndButtonRenderer","buttonRenderer","dislikeButtonViewModel","unifiedSharePanelRenderer","menuFlexibleItemRenderer","videoSecondaryInfoRenderer","videoOwnerRenderer","metadataBadgeRenderer","subscribeButtonRenderer","subscriptionNotificationToggleButtonRenderer","menuPopupRenderer","confirmDialogRenderer","metadataRowContainerRenderer","compositeVideoPrimaryInfoRenderer","itemSectionRenderer","continuationItemRenderer","secondaryResults","lockupViewModel","thumbnailViewModel","thumbnailOverlayBadgeViewModel","thumbnailBadgeViewModel","thumbnailHoverOverlayToggleActionsViewModel","lockupMetadataViewModel","decoratedAvatarViewModel","avatarViewModel","contentMetadataViewModel","badgeViewModel","sheetViewModel","listViewModel","listItemViewModel","avatarStackViewModel","dialogViewModel","dialogHeaderViewModel","autoplay","playerOverlayRenderer","menuNavigationItemRenderer","watchNextEndScreenRenderer","endScreenVideoRenderer","thumbnailOverlayTimeStatusRenderer","thumbnailOverlayNowPlayingRenderer","playerOverlayAutoplayRenderer","playerOverlayVideoDetailsRenderer","autoplaySwitchButtonRenderer","quickActionsViewModel","decoratedPlayerBarRenderer","multiMarkersPlayerBarRenderer","chapterRenderer","notificationActionRenderer","markerRenderer","speedmasterEduViewModel","engagementPanelSectionListRenderer","engagementPanelTitleHeaderRenderer","sortFilterSubMenuRenderer","sectionListRenderer","adsEngagementPanelContentRenderer","chipBarViewModel","chipViewModel","macroMarkersListRenderer","macroMarkersListItemRenderer","toggleButtonRenderer","structuredDescriptionContentRenderer","videoDescriptionHeaderRenderer","factoidRenderer","viewCountFactoidRenderer","expandableVideoDescriptionBodyRenderer","howThisWasMadeSectionViewModel","horizontalCardListRenderer","richListHeaderRenderer","videoDescriptionTranscriptSectionRenderer","videoDescriptionInfocardsSectionRenderer","compactInfocardRenderer","structuredDescriptionVideoLockupRenderer","desktopTopbarRenderer","topbarLogoRenderer","fusionSearchboxRenderer","topbarMenuButtonRenderer","multiPageMenuRenderer","hotkeyDialogRenderer","hotkeyDialogSectionRenderer","hotkeyDialogSectionOptionRenderer","voiceSearchDialogRenderer","cardCollectionRenderer","cardRenderer","simpleCardTeaserRenderer","cinematicContainerRenderer"]},"ytConfigData":{"visitorData":"CgtMOXFoaXpEZ0d1QSjFjZjLBjIKCgJLUhIEGgAgRmLfAgrcAjE1LllUPWRPWDlKMjg0NDdtMktIVW1Bcm01OWZiWnVHelJEbTlaRU83TEVDMzlLUm5HdmFxaDhUUzd3OXFmU2ZVWmxEQUJ3bkZwMjJEeDdGOWhvSVd0QTdqR0Q3ODdIUjVHbXY2Z2xVdFFvMDB0Y1JYdTRncmFselhPaF9FWmNiVjVZTndxX1pMY1Blc2l2elVYdWE2d1ZSY1AwaDdwSkUxUzdJMXZ0ZVVKeTJwaGxGTVU0ZjJXbVZxZFUyc3ZFZEZpcVQyVG1FckFWYWI2V2RXdE5PZkU3dXdfbXVWNUpqdDBIY1kzbzVuTHZURExxcEk5YzdKY1dRbHRQaGpOa0Z6SlVQNU1EV0Y4Z2QzQmJKWlR1ODQyanFqM1B6SjZZUEZyX0xJeEx1Y28ybXFrc0ZBYWI3UmowekRxWTRzN2JBUTY5bFVITUlNNVZHdG52U1hXdVo0WjBhLUFRZw%3D%3D","rootVisualElementType":3832},"webPrefetchData":{"navigationEndpoints":[{"clickTrackingParams":"CAAQg2ciEwiaheDmkIiSAxXM1jQHHbISEdsyDHJlbGF0ZWQtYXV0b0i9mYj_qdmX0NMBmgEFCAMQ-B3KAQQ-1XLU","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=l5BAq3L1AEE\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"l5BAq3L1AEE","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}},{"clickTrackingParams":"CAAQg2ciEwiaheDmkIiSAxXM1jQHHbISEdsyDHJlbGF0ZWQtYXV0b0i9mYj_qdmX0NMBmgEFCAMQ-B3KAQQ-1XLU","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=l5BAq3L1AEE\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"l5BAq3L1AEE","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}},{"clickTrackingParams":"CAAQg2ciEwiaheDmkIiSAxXM1jQHHbISEdsyDHJlbGF0ZWQtYXV0b0i9mYj_qdmX0NMBmgEFCAMQ-B3KAQQ-1XLU","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=l5BAq3L1AEE\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"l5BAq3L1AEE","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}}]},"hasDecorated":true}},"contents":{"twoColumnWatchNextResults":{"results":{"results":{"contents":[{"videoPrimaryInfoRenderer":{"title":{"runs":[{"text":"3 AI Workflows Step-by-Step (Beginner's Guide to n8n)"}]},"viewCount":{"videoViewCountRenderer":{"viewCount":{"simpleText":"조회수 45,207회"},"shortViewCount":{"simpleText":"조회수 4.5만회"},"originalViewCount":"0"}},"videoActions":{"menuRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"runs":[{"text":"신고"}]},"icon":{"iconType":"FLAG"},"serviceEndpoint":{"clickTrackingParams":"CLcCEMyrARgAIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","showEngagementPanelEndpoint":{"identifier":{"tag":"PAabuse_report"},"globalConfiguration":{"params":"qgdxCAESCzA2QmV5cF9pREwwGmBFZ3N3TmtKbGVYQmZhVVJNTUVBQldBQjRCWklCTWdvd0VpNW9kSFJ3Y3pvdkwya3VlWFJwYldjdVkyOXRMM1pwTHpBMlFtVjVjRjlwUkV3d0wyUmxabUYxYkhRdWFuQm4%3D"},"engagementPanelPresentationConfigs":{"engagementPanelPopupPresentationConfig":{"popupType":"PANEL_POPUP_TYPE_DIALOG"}}}},"trackingParams":"CLcCEMyrARgAIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}}],"trackingParams":"CLcCEMyrARgAIhMImoXg5pCIkgMVzNY0Bx2yEhHb","topLevelButtons":[{"segmentedLikeDislikeButtonViewModel":{"likeButtonViewModel":{"likeButtonViewModel":{"toggleButtonViewModel":{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"LIKE","title":"1.2천","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CMMCEKVBIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}},{"innertubeCommand":{"clickTrackingParams":"CMMCEKVBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"simpleText":"동영상이 마음에 드시나요?"},"content":{"simpleText":"로그인하여 의견을 알려주세요."},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CMQCEPqGBCITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko\u0026hl=ko\u0026ec=66426","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CMQCEPqGBCITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/like"}},"likeEndpoint":{"status":"LIKE","target":{"videoId":"06Beyp_iDL0"},"likeParams":"Cg0KCzA2QmV5cF9pREwwIAAyDAjGjZjLBhDXkdbZAQ%3D%3D"}},"idamTag":"66426"}},"trackingParams":"CMQCEPqGBCITCJqF4OaQiJIDFczWNAcdshIR2w=="}}}}}}}]}},"accessibilityText":"다른 사용자 1,211명과 함께 이 동영상에 좋아요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CMMCEKVBIhMImoXg5pCIkgMVzNY0Bx2yEhHb","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.like.button","tooltip":"이 동영상이 마음에 듭니다."}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"LIKE","title":"1.2천","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CMICEKVBIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}},{"innertubeCommand":{"clickTrackingParams":"CMICEKVBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"06Beyp_iDL0"},"removeLikeParams":"Cg0KCzA2QmV5cF9pREwwGAAqDAjGjZjLBhDHkNfZAQ%3D%3D"}}}]}},"accessibilityText":"다른 사용자 1,211명과 함께 이 동영상에 좋아요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CMICEKVBIhMImoXg5pCIkgMVzNY0Bx2yEhHb","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.like.button","tooltip":"좋아요 취소"}},"identifier":"watch-like","trackingParams":"CLcCEMyrARgAIhMImoXg5pCIkgMVzNY0Bx2yEhHb","isTogglingDisabled":true}},"likeStatusEntityKey":"EgswNkJleXBfaURMMCA-KAE%3D","likeStatusEntity":{"key":"EgswNkJleXBfaURMMCA-KAE%3D","likeStatus":"INDIFFERENT"}}},"dislikeButtonViewModel":{"dislikeButtonViewModel":{"toggleButtonViewModel":{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"DISLIKE","title":"싫어요","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CMACEKiPCSITCJqF4OaQiJIDFczWNAcdshIR2w=="}},{"innertubeCommand":{"clickTrackingParams":"CMACEKiPCSITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"simpleText":"동영상이 마음에 안 드시나요?"},"content":{"simpleText":"로그인하여 의견을 알려주세요."},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CMECEPmGBCITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko\u0026hl=ko\u0026ec=66425","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CMECEPmGBCITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/dislike"}},"likeEndpoint":{"status":"DISLIKE","target":{"videoId":"06Beyp_iDL0"},"dislikeParams":"Cg0KCzA2QmV5cF9pREwwEAAiDAjGjZjLBhCj89jZAQ%3D%3D"}},"idamTag":"66425"}},"trackingParams":"CMECEPmGBCITCJqF4OaQiJIDFczWNAcdshIR2w=="}}}}}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CMACEKiPCSITCJqF4OaQiJIDFczWNAcdshIR2w==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.dislike.button","tooltip":"이 동영상이 마음에 들지 않습니다."}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"DISLIKE","title":"싫어요","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CL8CEKiPCSITCJqF4OaQiJIDFczWNAcdshIR2w=="}},{"innertubeCommand":{"clickTrackingParams":"CL8CEKiPCSITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"06Beyp_iDL0"},"removeLikeParams":"Cg0KCzA2QmV5cF9pREwwGAAqDAjGjZjLBhDxmtnZAQ%3D%3D"}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CL8CEKiPCSITCJqF4OaQiJIDFczWNAcdshIR2w==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.dislike.button","tooltip":"이 동영상이 마음에 들지 않습니다."}},"trackingParams":"CLcCEMyrARgAIhMImoXg5pCIkgMVzNY0Bx2yEhHb","isTogglingDisabled":true}},"dislikeEntityKey":"EgswNkJleXBfaURMMCA-KAE%3D"}},"iconType":"LIKE_ICON_TYPE_UNKNOWN","timedAnimationData":{"animationTiming":[2657079],"playerTimeEntityKey":"Eh4veW91dHViZS9hcHAvd2F0Y2gvcGxheWVyX3RpbWUgxgIoAQ%3D%3D","playerLayoutStateEntityKey":"EiYveW91dHViZS9hcHAvd2F0Y2gvcGxheWVyX2xheW91dF9zdGF0ZSDIAigB","playerStateEntityKey":"Eh8veW91dHViZS9hcHAvd2F0Y2gvcGxheWVyX3N0YXRlIMMCKAE%3D","enableMobileTimedAnimation":false,"macroMarkersIndex":[0],"animationDurationSecs":1.5,"borderStrokeThicknessDp":2,"borderOpacity":1,"trackingParams":"CL4CEPBbIhMImoXg5pCIkgMVzNY0Bx2yEhHb","animationOrigin":"ANIMATION_ORIGIN_SMARTIMATION","animationStyle":"ANIMATED_BUTTON_BORDER_ANIMATION_STYLE_UNKNOWN"},"likeCountEntity":{"key":"unset_like_count_entity_key"},"dynamicLikeCountUpdateData":{"updateStatusKey":"like_count_update_status_key","placeholderLikeCountValuesKey":"like_count_placeholder_values_key","updateDelayLoopId":"like_count_update_delay_loop_id","updateDelaySec":5},"teasersOrderEntityKey":"EgswNkJleXBfaURMMCD8AygB"}},{"buttonViewModel":{"iconName":"SHARE","title":"공유","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CLwCEOWWARgCIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}},{"innertubeCommand":{"clickTrackingParams":"CLwCEOWWARgCIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/share/get_share_panel"}},"shareEntityServiceEndpoint":{"serializedShareEntity":"CgswNkJleXBfaURMMKABAQ%3D%3D","commands":[{"clickTrackingParams":"CLwCEOWWARgCIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","openPopupAction":{"popup":{"unifiedSharePanelRenderer":{"trackingParams":"CL0CEI5iIhMImoXg5pCIkgMVzNY0Bx2yEhHb","showLoadingSpinner":true}},"popupType":"DIALOG","beReused":true}}]}}}]}},"accessibilityText":"공유","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CLwCEOWWARgCIhMImoXg5pCIkgMVzNY0Bx2yEhHb","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE","accessibilityId":"id.video.share.button","tooltip":"공유"}}],"accessibility":{"accessibilityData":{"label":"추가 작업"}},"flexibleItems":[{"menuFlexibleItemRenderer":{"menuItem":{"menuServiceItemRenderer":{"text":{"runs":[{"text":"저장"}]},"icon":{"iconType":"PLAYLIST_ADD"},"serviceEndpoint":{"clickTrackingParams":"CLoCEOuQCSITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"runs":[{"text":"나중에 다시 보고 싶으신가요?"}]},"content":{"runs":[{"text":"로그인하여 동영상을 재생목록에 추가하세요."}]},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CLsCEPuGBCITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko%26next%3D%252Fwatch%253Fv%253D06Beyp_iDL0\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CLsCEPuGBCITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=06Beyp_iDL0","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"06Beyp_iDL0","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr4---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=d3a05eca9fe20cbd\u0026ip=1.208.108.242\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}},"idamTag":"66427"}},"trackingParams":"CLsCEPuGBCITCJqF4OaQiJIDFczWNAcdshIR2w=="}}}}}},"trackingParams":"CLoCEOuQCSITCJqF4OaQiJIDFczWNAcdshIR2w=="}},"topLevelButton":{"buttonViewModel":{"iconName":"PLAYLIST_ADD","title":"저장","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CLgCEOuQCSITCJqF4OaQiJIDFczWNAcdshIR2w=="}},{"innertubeCommand":{"clickTrackingParams":"CLgCEOuQCSITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"runs":[{"text":"나중에 다시 보고 싶으신가요?"}]},"content":{"runs":[{"text":"로그인하여 동영상을 재생목록에 추가하세요."}]},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CLkCEPuGBCITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko%26next%3D%252Fwatch%253Fv%253D06Beyp_iDL0\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CLkCEPuGBCITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=06Beyp_iDL0","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"06Beyp_iDL0","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr4---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=d3a05eca9fe20cbd\u0026ip=1.208.108.242\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}},"idamTag":"66427"}},"trackingParams":"CLkCEPuGBCITCJqF4OaQiJIDFczWNAcdshIR2w=="}}}}}}}]}},"accessibilityText":"재생목록에 저장","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CLgCEOuQCSITCJqF4OaQiJIDFczWNAcdshIR2w==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","tooltip":"저장"}}}}]}},"trackingParams":"CLcCEMyrARgAIhMImoXg5pCIkgMVzNY0Bx2yEhHb","dateText":{"simpleText":"2025. 4. 7."},"relativeDateText":{"accessibility":{"accessibilityData":{"label":"9개월 전"}},"simpleText":"9개월 전"}}},{"videoSecondaryInfoRenderer":{"owner":{"videoOwnerRenderer":{"thumbnail":{"thumbnails":[{"url":"https://yt3.ggpht.com/rjiskq1h4EjTgsqvP_BOsnpwCdHUHKvSo00RmUraoWqDuHQN6RAUMdo1ircHs0ZcKQrrWNvukEs=s48-c-k-c0x00ffffff-no-rj","width":48,"height":48},{"url":"https://yt3.ggpht.com/rjiskq1h4EjTgsqvP_BOsnpwCdHUHKvSo00RmUraoWqDuHQN6RAUMdo1ircHs0ZcKQrrWNvukEs=s88-c-k-c0x00ffffff-no-rj","width":88,"height":88},{"url":"https://yt3.ggpht.com/rjiskq1h4EjTgsqvP_BOsnpwCdHUHKvSo00RmUraoWqDuHQN6RAUMdo1ircHs0ZcKQrrWNvukEs=s176-c-k-c0x00ffffff-no-rj","width":176,"height":176}]},"title":{"runs":[{"text":"Nate Herk | AI Automation","navigationEndpoint":{"clickTrackingParams":"CLYCEOE5IhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"url":"/@nateherk","webPageType":"WEB_PAGE_TYPE_CHANNEL","rootVe":3611,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"UC2ojq-nuP8ceeHqiroeKhBA","canonicalBaseUrl":"/@nateherk"}}}]},"subscriptionButton":{"type":"FREE"},"navigationEndpoint":{"clickTrackingParams":"CLYCEOE5IhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"url":"/@nateherk","webPageType":"WEB_PAGE_TYPE_CHANNEL","rootVe":3611,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"UC2ojq-nuP8ceeHqiroeKhBA","canonicalBaseUrl":"/@nateherk"}},"subscriberCountText":{"accessibility":{"accessibilityData":{"label":"구독자 49.1만명"}},"simpleText":"구독자 49.1만명"},"trackingParams":"CLYCEOE5IhMImoXg5pCIkgMVzNY0Bx2yEhHb","badges":[{"metadataBadgeRenderer":{"icon":{"iconType":"CHECK_CIRCLE_THICK"},"style":"BADGE_STYLE_TYPE_VERIFIED","tooltip":"인증됨","trackingParams":"CLYCEOE5IhMImoXg5pCIkgMVzNY0Bx2yEhHb","accessibilityData":{"label":"인증됨"}}}]}},"subscribeButton":{"subscribeButtonRenderer":{"buttonText":{"runs":[{"text":"구독"}]},"subscribed":false,"enabled":true,"type":"FREE","channelId":"UC2ojq-nuP8ceeHqiroeKhBA","showPreferences":false,"subscribedButtonText":{"runs":[{"text":"구독중"}]},"unsubscribedButtonText":{"runs":[{"text":"구독"}]},"trackingParams":"CKgCEJsrIhMImoXg5pCIkgMVzNY0Bx2yEhHbKPgdMgV3YXRjaA==","unsubscribeButtonText":{"runs":[{"text":"구독 취소"}]},"subscribeAccessibility":{"accessibilityData":{"label":"Nate Herk | AI Automation을(를) 구독합니다."}},"unsubscribeAccessibility":{"accessibilityData":{"label":"Nate Herk | AI Automation을(를) 구독 취소합니다."}},"notificationPreferenceButton":{"subscriptionNotificationToggleButtonRenderer":{"states":[{"stateId":3,"nextStateId":3,"state":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"icon":{"iconType":"NOTIFICATIONS_NONE"},"accessibility":{"label":"현재 설정은 맞춤설정 알림 수신입니다. Nate Herk | AI Automation 채널의 알림 설정을 변경하려면 탭하세요."},"trackingParams":"CLUCEPBbIhMImoXg5pCIkgMVzNY0Bx2yEhHb","accessibilityData":{"accessibilityData":{"label":"현재 설정은 맞춤설정 알림 수신입니다. Nate Herk | AI Automation 채널의 알림 설정을 변경하려면 탭하세요."}}}}},{"stateId":0,"nextStateId":0,"state":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"icon":{"iconType":"NOTIFICATIONS_OFF"},"accessibility":{"label":"현재 설정은 알림 수신 안함입니다. Nate Herk | AI Automation 채널의 알림 설정을 변경하려면 탭하세요."},"trackingParams":"CLQCEPBbIhMImoXg5pCIkgMVzNY0Bx2yEhHb","accessibilityData":{"accessibilityData":{"label":"현재 설정은 알림 수신 안함입니다. Nate Herk | AI Automation 채널의 알림 설정을 변경하려면 탭하세요."}}}}}],"currentStateId":3,"trackingParams":"CK0CEJf5ASITCJqF4OaQiJIDFczWNAcdshIR2w==","command":{"clickTrackingParams":"CK0CEJf5ASITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandExecutorCommand":{"commands":[{"clickTrackingParams":"CK0CEJf5ASITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","openPopupAction":{"popup":{"menuPopupRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"simpleText":"맞춤설정"},"icon":{"iconType":"NOTIFICATIONS_NONE"},"serviceEndpoint":{"clickTrackingParams":"CLMCEOy1BBgDIhMImoXg5pCIkgMVzNY0Bx2yEhHbMhJQUkVGRVJFTkNFX0RFRkFVTFTKAQQ-1XLU","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQzJvanEtbnVQOGNlZUhxaXJvZUtoQkESAggBGAAgBFITCgIIAxILMDZCZXlwX2lETDAYAA%3D%3D"}},"trackingParams":"CLMCEOy1BBgDIhMImoXg5pCIkgMVzNY0Bx2yEhHb","isSelected":true}},{"menuServiceItemRenderer":{"text":{"simpleText":"없음"},"icon":{"iconType":"NOTIFICATIONS_OFF"},"serviceEndpoint":{"clickTrackingParams":"CLICEO21BBgEIhMImoXg5pCIkgMVzNY0Bx2yEhHbMhtQUkVGRVJFTkNFX05PX05PVElGSUNBVElPTlPKAQQ-1XLU","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQzJvanEtbnVQOGNlZUhxaXJvZUtoQkESAggDGAAgBFITCgIIAxILMDZCZXlwX2lETDAYAA%3D%3D"}},"trackingParams":"CLICEO21BBgEIhMImoXg5pCIkgMVzNY0Bx2yEhHb","isSelected":false}},{"menuServiceItemRenderer":{"text":{"runs":[{"text":"구독 취소"}]},"icon":{"iconType":"PERSON_MINUS"},"serviceEndpoint":{"clickTrackingParams":"CK4CENuLChgFIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CK4CENuLChgFIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"CK8CEMY4IhMImoXg5pCIkgMVzNY0Bx2yEhHb","dialogMessages":[{"runs":[{"text":"Nate Herk | AI Automation"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"CLECEPBbIhMImoXg5pCIkgMVzNY0Bx2yEhHbMgV3YXRjaMoBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UC2ojq-nuP8ceeHqiroeKhBA"],"params":"CgIIAxILMDZCZXlwX2lETDAYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"CLECEPBbIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"CLACEPBbIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}},"trackingParams":"CK4CENuLChgFIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}}]}},"popupType":"DROPDOWN"}}]}},"targetId":"notification-bell","secondaryIcon":{"iconType":"EXPAND_MORE"}}},"targetId":"watch-subscribe","signInEndpoint":{"clickTrackingParams":"CKgCEJsrIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"simpleText":"채널을 구독하시겠습니까?"},"content":{"simpleText":"채널을 구독하려면 로그인하세요."},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CKwCEP2GBCITCJqF4OaQiJIDFczWNAcdshIR2zIJc3Vic2NyaWJlygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko%26next%3D%252Fwatch%253Fv%253D06Beyp_iDL0%26continue_action%3DQUFFLUhqbFJoeHV4VVNIR09jaFNVbEJuYkczM0U4b3lLZ3xBQ3Jtc0tteFNNNURadEhZcEdkaDlfWThMS0RWa3Z6M2ZfeGM1V3hORjExT0k2LXJtX2FSTXpyMHg4YlVCVDMtNldobkduWlpMR2YtanpOMmZQenZUdjhvT0g4UUNCejZwN2ZNMkREc21XM1UwMkNPeWVWTlFzV1FHVEpqZTNXYTMxY1J5RWtic1RGQTZnOU1uMkxCdGpMZWZaenNpNkE3YTZuZmp5c2dncWJBS014aUhTUGhIR3B6OE56S21IX2tsRk80aGVJTHlfc0E\u0026hl=ko\u0026ec=66429","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CKwCEP2GBCITCJqF4OaQiJIDFczWNAcdshIR28oBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=06Beyp_iDL0","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"06Beyp_iDL0","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr4---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=d3a05eca9fe20cbd\u0026ip=1.208.108.242\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}},"continueAction":"QUFFLUhqbFJoeHV4VVNIR09jaFNVbEJuYkczM0U4b3lLZ3xBQ3Jtc0tteFNNNURadEhZcEdkaDlfWThMS0RWa3Z6M2ZfeGM1V3hORjExT0k2LXJtX2FSTXpyMHg4YlVCVDMtNldobkduWlpMR2YtanpOMmZQenZUdjhvT0g4UUNCejZwN2ZNMkREc21XM1UwMkNPeWVWTlFzV1FHVEpqZTNXYTMxY1J5RWtic1RGQTZnOU1uMkxCdGpMZWZaenNpNkE3YTZuZmp5c2dncWJBS014aUhTUGhIR3B6OE56S21IX2tsRk80aGVJTHlfc0E","idamTag":"66429"}},"trackingParams":"CKwCEP2GBCITCJqF4OaQiJIDFczWNAcdshIR2w=="}}}}}},"subscribedEntityKey":"EhhVQzJvanEtbnVQOGNlZUhxaXJvZUtoQkEgMygB","onSubscribeEndpoints":[{"clickTrackingParams":"CKgCEJsrIhMImoXg5pCIkgMVzNY0Bx2yEhHbKPgdMgV3YXRjaMoBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/subscribe"}},"subscribeEndpoint":{"channelIds":["UC2ojq-nuP8ceeHqiroeKhBA"],"params":"EgIIAxgAIgswNkJleXBfaURMMA%3D%3D"}}],"onUnsubscribeEndpoints":[{"clickTrackingParams":"CKgCEJsrIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CKgCEJsrIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"CKkCEMY4IhMImoXg5pCIkgMVzNY0Bx2yEhHb","dialogMessages":[{"runs":[{"text":"Nate Herk | AI Automation"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"CKsCEPBbIhMImoXg5pCIkgMVzNY0Bx2yEhHbKPgdMgV3YXRjaMoBBD7VctQ=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UC2ojq-nuP8ceeHqiroeKhBA"],"params":"CgIIAxILMDZCZXlwX2lETDAYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"CKsCEPBbIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"CKoCEPBbIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}}]}},"metadataRowContainer":{"metadataRowContainerRenderer":{"collapsedItemCount":0,"trackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}},"showMoreText":{"simpleText":"...더보기"},"showLessText":{"simpleText":"간략히"},"trackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHb","defaultExpanded":false,"descriptionCollapsedLines":3,"showMoreCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandExecutorCommand":{"commands":[{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_EXPANDED"}},{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","scrollToEngagementPanelCommand":{"targetId":"engagement-panel-structured-description"}}]}},"showLessCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_HIDDEN"}},"attributedDescription":{"content":"🌟 Skool community to go deeper with AI and connect with 1,000+ like minded members👇\nhttps://www.skool.com/ai-automation-s...\n\n📌 Join my FREE Skool community for all the resources to set this system up! 👇\nhttps://www.skool.com/ai-automation-s...\n\n🚧 Start Building with n8n! (I get kickback if you sign up here - thank you!)\nhttps://n8n.partnerlinks.io/22crlu8afq5r\n\nBusiness Inquiries:\n📧 nate@truehorizon.ai\n\nIn this live session, we’ll build 3 AI workflows in n8n from scratch! Whether you're new to AI automation or just getting started with n8n, this video is perfect for you. We’ll walk through every step—setting up credentials, defining workflow logic, prompting AI, configuring variables, and more. By the end, you’ll have a solid foundation to start building your own automated workflows in n8n! Don’t miss this hands-on learning experience.\n\nWATCH NEXT:\n • 6 Months of Building AI Agents in 43 Minut... \n\nTIMESTAMPS\n00:00 The 3 Workflows\n01:51 1) RAG Pipeline \u0026 Chatbot\n21:29 2) Customer Support Agent\n32:35 3) LinkedIn Content Creation\n\nGear I Used:\nCamera: Razer Kiyo Pro\nMicrophone: Blue Yeti USB","commandRuns":[{"startIndex":86,"length":40,"onTap":{"innertubeCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbSL2ZiP-p2ZfQ0wHKAQQ-1XLU","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbUhuUHR3Y0RHNWpSWHFqUnB6NnNhR3lITXpJZ3xBQ3Jtc0ttdmtyZmFpNl9ST1h3NUFNSThaUzFRZWcxRG5rWjFqOFRna1VSc1RqZ1BYaDJ3dUlCaVVDN0I3QVd2Z2pEQWtnLVRVYWZmbWtHZVVuVEFPYWh0WktqWkU2M09MTlVIOVFlc1JRRmtPcDQ2NkxZTjdOVQ\u0026q=https%3A%2F%2Fwww.skool.com%2Fai-automation-society-plus%2Fabout\u0026v=06Beyp_iDL0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbUhuUHR3Y0RHNWpSWHFqUnB6NnNhR3lITXpJZ3xBQ3Jtc0ttdmtyZmFpNl9ST1h3NUFNSThaUzFRZWcxRG5rWjFqOFRna1VSc1RqZ1BYaDJ3dUlCaVVDN0I3QVd2Z2pEQWtnLVRVYWZmbWtHZVVuVEFPYWh0WktqWkU2M09MTlVIOVFlc1JRRmtPcDQ2NkxZTjdOVQ\u0026q=https%3A%2F%2Fwww.skool.com%2Fai-automation-society-plus%2Fabout\u0026v=06Beyp_iDL0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":208,"length":40,"onTap":{"innertubeCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbSL2ZiP-p2ZfQ0wHKAQQ-1XLU","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbUp4c0w3VnkyWnc5akxRdVFiSm9RcGdhQkQ3UXxBQ3Jtc0tuVDNHYUVPTERLeUF3THpRRkFNaXFzbE1GbDB0TUY5ZmNDWk1RcGgzWEtqRzhQSnk5RTNOd080SHZUMl9FakU0SVlyS0VkY1pxRkZNemxlZjlNRzd1YnA4ck1faWM3bTZEZF96RFgtQWlCOTFGdFBUaw\u0026q=https%3A%2F%2Fwww.skool.com%2Fai-automation-society%2Fabout\u0026v=06Beyp_iDL0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbUp4c0w3VnkyWnc5akxRdVFiSm9RcGdhQkQ3UXxBQ3Jtc0tuVDNHYUVPTERLeUF3THpRRkFNaXFzbE1GbDB0TUY5ZmNDWk1RcGgzWEtqRzhQSnk5RTNOd080SHZUMl9FakU0SVlyS0VkY1pxRkZNemxlZjlNRzd1YnA4ck1faWM3bTZEZF96RFgtQWlCOTFGdFBUaw\u0026q=https%3A%2F%2Fwww.skool.com%2Fai-automation-society%2Fabout\u0026v=06Beyp_iDL0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":328,"length":40,"onTap":{"innertubeCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbSL2ZiP-p2ZfQ0wHKAQQ-1XLU","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbEJkcnRlXzNhaWp4bkJPYUEtd295Szg4YVhTQXxBQ3Jtc0ttZ2pfVEJDdmJFWENiUGc3Z1V4R21VRWU3LV80OFNibUxVUEpVd09IRzQ2NjN4Wjg3MlZISjFqclVZcEVvd0R6U2RiMW1JeU55RjNycTh1amZkRkszbHpmTDllYlpwUEFlM1dNY0tvRHk4T3BLRmNMVQ\u0026q=https%3A%2F%2Fn8n.partnerlinks.io%2F22crlu8afq5r\u0026v=06Beyp_iDL0","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbEJkcnRlXzNhaWp4bkJPYUEtd295Szg4YVhTQXxBQ3Jtc0ttZ2pfVEJDdmJFWENiUGc3Z1V4R21VRWU3LV80OFNibUxVUEpVd09IRzQ2NjN4Wjg3MlZISjFqclVZcEVvd0R6U2RiMW1JeU55RjNycTh1amZkRkszbHpmTDllYlpwUEFlM1dNY0tvRHk4T3BLRmNMVQ\u0026q=https%3A%2F%2Fn8n.partnerlinks.io%2F22crlu8afq5r\u0026v=06Beyp_iDL0","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":868,"length":52,"onTap":{"innertubeCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=QhujcQk8pyU","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"QhujcQk8pyU","startTimeSeconds":0,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr3---sn-ab02a0nfpgxapox-bh2es.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=421ba371093ca725\u0026ip=1.208.108.242\u0026initcwndbps=3033750\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"YouTube Channel Link: 6 Months of Building AI Agents in 43 Minutes (without the hype)"}}},{"startIndex":933,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=06Beyp_iDL0","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"06Beyp_iDL0","continuePlayback":true,"startTimeSeconds":0,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr4---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=d3a05eca9fe20cbd\u0026ip=1.208.108.242\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"0초"}}},{"startIndex":955,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=06Beyp_iDL0\u0026t=111s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"06Beyp_iDL0","continuePlayback":true,"startTimeSeconds":111,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr4---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=d3a05eca9fe20cbd\u0026ip=1.208.108.242\u0026osts=111\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"1분 51초"}}},{"startIndex":987,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=06Beyp_iDL0\u0026t=1289s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"06Beyp_iDL0","continuePlayback":true,"startTimeSeconds":1289,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr4---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=d3a05eca9fe20cbd\u0026ip=1.208.108.242\u0026osts=1289\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"21분 29초"}}},{"startIndex":1019,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CKcCEM2rARgBIhMImoXg5pCIkgMVzNY0Bx2yEhHbygEEPtVy1A==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=06Beyp_iDL0\u0026t=1955s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"06Beyp_iDL0","continuePlayback":true,"startTimeSeconds":1955,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr4---sn-ab02a0nfpgxapox-bh2sd.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=d3a05eca9fe20cbd\u0026ip=1.208.108.242\u0026osts=1955\u0026initcwndbps=3900000\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"32분 35초"}}}],"styleRuns":[{"startIndex":0,"length":86,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":86,"length":40,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":126,"length":82,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":208,"length":40,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":248,"length":80,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":328,"length":40,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":368,"length":500,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":868,"length":52,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}}},{"startIndex":920,"length":13,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":933,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":938,"length":17,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":955,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":960,"length":27,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":987,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":992,"length":27,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":1019,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":1024,"length":92,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"}],"attachmentRuns":[{"startIndex":870,"length":0,"element":{"type":{"imageType":{"image":{"sources":[{"url":"https://www.gstatic.com/youtube/img/watch/yt_favicon_ringo2.png"}]}}},"properties":{"layoutProperties":{"height":{"value":10,"unit":"DIMENSION_UNIT_POINT"},"width":{"value":14,"unit":"DIMENSION_UNIT_POINT"},"margin":{"top":{"value":0.5,"unit":"DIMENSION_UNIT_POINT"}}}}},"alignment":"ALIGNMENT_VERTICAL_CENTER"}],"decorationRuns":[{"textDecorator":{"highlightTextDecorator":{"startIndex":868,"length":52,"backgroundCornerRadius":8,"bottomPadding":1,"highlightTextDecoratorExtensions":{"highlightTextDecoratorColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":452984831},{"key":"USER_INTERFACE_THEME_LIGHT","value":218103808}]}}}}}]},"headerRuns":[{"startIndex":0,"length":86,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":86,"length":40,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":126,"length":82,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":208,"length":40,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":248,"length":80,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":328,"length":40,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":368,"length":500,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":868,"length":52,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":920,"length":13,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":933,"length":5,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":938,"length":17,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":955,"length":5,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":960,"length":27,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":987,"length":5,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":992,"length":27,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":1019,"length":5,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":1024,"length":92,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"}]}},{"compositeVideoPrimaryInfoRenderer":{}},{"itemSectionRenderer":{"contents":[{"continuationItemRenderer":{"trigger":"CONTINUATION_TRIGGER_ON_ITEM_SHOWN","continuationEndpoint":{"clickTrackingParams":"CKYCELsvGAMiEwiaheDmkIiSAxXM1jQHHbISEdvKAQQ-1XLU","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/next"}},"continuationCommand":{"token":"Eg0SCzA2QmV5cF9pREwwGAYyJSIRIgswNkJleXBfaURMMDAAeAJCEGNvbW1lbnRzLXNlY3Rpb24%3D","request":"CONTINUATION_REQUEST_TYPE_WATCH_NEXT"}}}}],"trackingParams":"CKYCELsvGAMiEwiaheDmkIiSAxXM1jQHHbISEds=","sectionIdentifier":"comment-item-section","targetId":"comments-section"}}],"trackingParams":"CKUCELovIhMImoXg5pCIkgMVzNY0Bx2yEhHb"}},"secondaryResults":{"secondaryResults":{"results":[{"lockupViewModel":{"contentImage":{"t | 2026-01-13T08:48:11 |
https://dev.to/juweria_/what-i-wish-i-knew-before-deploying-my-first-backend-application-e07#main-content | What I Wish I Knew Before Deploying My First Backend Application. - 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 juweria mohamood Posted on Jan 10 What I Wish I Knew Before Deploying My First Backend Application. # programming # devops # deployment # backend When I wrote my first backend application, I thought the hard part was over once the API worked locally. The endpoints responded, tests passed, and everything felt done. Deployment proved me wrong. Getting an application to run reliably on a server was a completely different challenge—one that I underestimated at the beginning. Looking back, there are a few lessons I wish I had learned earlier that would have saved me a lot of time and frustration. This post is a reflection on those early mistakes and what I do differently now. Deployment Is Not an Afterthought At first, I treated deployment as something to “figure out later.” I focused heavily on writing features and ignored how the application would actually run in production. What I learned quickly is that deployment decisions affect how you write code: How configuration is handled How errors are logged How services communicate How scalable the app can be Now, I think about deployment early—even when building small projects—because it shapes better engineering decisions from day one. The Server Is Not Your Local Machine One of my biggest early mistakes was assuming the server environment would behave like my laptop. It doesn’t. On a server, you have to think about: Linux file permissions Open ports and firewalls Environment variables Running processes in the background The first time my app “worked locally but not on the server,” I realized how important it is to understand the environment your code runs in—not just the code itself. Hardcoding Secrets Will Eventually Hurt You In my early projects, I didn’t give much thought to secrets. API keys and credentials lived in config files or environment-specific code. This is risky. Now, I make it a rule to: Use environment variables Never commit secrets Treat configuration as a first-class part of the application It’s a small habit that prevents big problems later. Logging Matters More Than You Think When something breaks in production, you don’t have a debugger attached. Early on, I had very little logging, which made debugging production issues painful. Today, I always make sure: Errors are logged clearly Logs are meaningful, not noisy I can understand what happened without guessing Good logging turns production issues from stressful mysteries into solvable problems. What I Do Differently Now With more experience, my approach has changed: I keep deployment setups simple I document steps clearly I automate where possible I test deployments early, even for small apps Most importantly, I treat deployment as part of the development process—not a separate task. Final Thoughts If you’re new to backend development, struggling with deployment is normal. Everyone goes through it. The good news is that each mistake teaches you something valuable. Over time, deployment stops feeling scary and starts feeling like just another engineering problem you know how to solve. In upcoming posts, I’ll share practical guides on deploying backend applications step by step, including FastAPI and cloud platforms like DigitalOcean. 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 juweria mohamood Follow Backend & DevOps engineer sharing hands-on guides on Python, JavaScript, AWS & DigitalOcean deployments, CI/CD, and real-world production lessons. Location Mogadishu, Somalia Education BSc in Computer Science, 2025 Pronouns she/her Work Software Engineer (Full-time) Joined Jan 4, 2026 Trending on DEV Community Hot AI should not be in Code Editors # programming # ai # productivity # discuss I Didn’t “Become” a Senior Developer. I Accumulated Damage. # programming # ai # career # discuss SQLite Limitations and Internal Architecture # webdev # programming # database # architecture 💎 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:11 |
https://github.com/team#start-of-content | GitHub for teams · Build like the best teams on the planet · GitHub Skip to content Enterprise-grade security now available for GitHub Team organizations. Explore now 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 for Teams Build like the best teams on the planet With CI/CD, Dependabot, and the world’s largest developer community, GitHub gives your team everything they need to ship better software faster. Get started with Team Sign up for free Compare Plans Ready to get your team started? GitHub Free Basics for teams and developers Unlimited public/private repositories 2,000 Actions minutes/month 500MB of GitHub Packages storage Dependabot Community Support Get started for free Need SAML, self-hosting, or priority support? Learn more about GitHub Enterprise GitHub Team Advanced collaboration and deployment features for teams Everything included in Free, plus ... 3,000 Actions minutes/month 2GB of GitHub Packages storage GitHub Codespaces Protected branches Multiple reviewers in pull requests Code owners Draft pull requests Required reviewers Pages and Wikis Web-based support Featured add-ons GitHub Secret Protection Prevent secret leaks before they leak. Remediate those that exist. Uh oh! There was an error while loading. Please reload this page . GitHub Code Security Fix vulnerabilities in your code before they reach production. Uh oh! There was an error while loading. Please reload this page . Continue with Team Need something else? Compare all plans Peak Money Trustpilot Gatsby Tray.io Kubernetes Front Collaboration Manage everything in one place Connect your favorite tools Build the way that works best for you with support for all your go-to integrations, including Slack , Jira , and more. Add your team in a click Seamlessly update permissions and add new users as you build, whether you’re on a team of two or two thousand. Speed up code review Step up your code quality with code review tools that fit right into your workflow. Plan together Make it easy for project managers and developers to coordinate, track, and update their work in one place—so projects stay on schedule. Peak Money logo “As a team, we’re way more confident that we’re in tune. We can all see our work, feedback, and roadmap going through GitHub.” Lee Adkins, Head of Engineering Peak Money Automation Build CI/CD workflows that work for you Checkout Check out a Git repository at a particular version. name: Checkout uses: actions/checkout@v2.1.0 Set up Node.js environment Set up a Node.js environment and add it to the PATH, providing additional proxy support. name: Set up Node.js for use with actions uses: actions/setup-node@v1.1.0 NPM Publish Automatically publish packages to NPM. name: NPM Publish uses: JS DevTools/npm-publish@v1 Streamline your CI/CD Build, test, and deploy projects on any OS, language, or cloud. Choose from thousands of actions Find community-built GitHub Actions workflows on GitHub Marketplace, or build your own. Respond to GitHub events Trigger workflows based on GitHub events, including push, issue creation, new releases, and more. Collaborate on workflows Build, share, improve, and reuse actions just like code. Explore GitHub Actions Front App logo “With GitHub Actions, deployments happen 75 percent faster—taking about 10 minutes compared to the 40 minutes required when they were done manually.” Pierre Laurac, Technical Lead Front App Security Stay focused on development Grant the right access to your team Easily grant, limit, or revoke access for collaborators inside and outside your company. Keep secrets safe Get alerts when secrets are committed to your repositories—and notify over 30 cloud service providers automatically. Find vulnerable dependencies Scan your dependencies automatically. When a vulnerability is found, we’ll open a pull request with suggested fixes. See how GitHub helps secure your applications “GitHub’s Dependabot security updates are smarter than any other vulnerability tracking tools we’ve used.” Alberto Giorgi, Director of Engineering Tray.io Users Home to the world’s software teams Meet your developers where they already are. GitHub is home to over 40 million developers and the world’s largest open source community. 150 M+ million developers 1 B+ billion contributions 4 M+ million organizations Customer Stories You’re in good company Front App Customer Story Front App logo Read story Tray.io Customer Story Tray.io logo Read story Read more customer stories Build like the best Get the complete developer platform Get started with Team Sign up for free Related resources GitHub Actions cheat sheet Everything you need to know about getting started with GitHub Actions. Learn more Collaboration is the key to DevOps success In a recent TechTarget study, 70 percent of organizations reported they had adopted DevOps. Learn more How healthy teams build better software Your culture is key to recruiting and retaining the talent you need to ship exceptional customer experiences. 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:11 |
https://devblogs.microsoft.com/dotnet/category/entity-framework/ | Entity Framework - Category | .NET 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 .NET Blog Category: Entity Framework .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now Showing category results for Entity Framework Jan 7, 2026 Post comments count 1 Post likes count 0 Secure and Intelligent: Queryable Encryption and Vector Search in MongoDB EF Core Provider Rishit, Luce The MongoDB EF Core provider now supports Queryable Encryption and Vector Search. Learn how to encrypt sensitive data while querying it and build AI-powered semantic search applications directly with EF Core. .NET Entity Framework Aug 27, 2025 Post comments count 2 Post likes count 9 EFCore.Visualizer – View Entity Framework Core query plan inside Visual Studio Giorgi Dalakishvili A Visual Studio extension that helps developers visualize and analyze Entity Framework Core query execution plans directly within their development environment. .NET Visual Studio Entity Framework Oct 21, 2024 Post comments count 1 Post likes count 4 MongoDB EF Core Provider: What’s New? Rishit, Luce The latest updates to the MongoDB EF Core Provider brings updates to change tracking, index creation, complex queries, and transactions. .NET Entity Framework Jun 4, 2024 Post comments count 0 Post likes count 10 A beginner’s guide to mapping arrays in EF Core 8 Arthur Vickers EF Core 8 introduces support for mapping typed arrays of simple values to database columns so the semantics of the mapping can be used in the SQL generated from LINQ queries. .NET Entity Framework Apr 18, 2024 Post comments count 0 Post likes count 5 Announcing: Azure Developers – .NET Day 2024 Mehul Harry Join us on April 30th for a full day of online training and discover the latest services and features in Azure designed specifically for .NET developers. .NET AI Azure Nov 14, 2023 Post comments count 1 Post likes count 8 Entity Framework Core 8 (EF8) is available today Arthur Vickers Announcing EF Core 8 (EF8) with complex types, primitive collections, better JSON, and exciting new query translations! .NET Entity Framework Nov 2, 2023 Post comments count 3 Post likes count 9 Trying out MongoDB with EF Core using Testcontainers Arthur Vickers An introduction to the MongoDB database provider for EF Core, including use of Testcontainers .NET Entity Framework Oct 10, 2023 Post comments count 6 Post likes count 11 EF Core 8 Release Candidate 2: Smaller features in EF8 Arthur Vickers A tour through some of the smaller features release in Entity Framework Core 8 (EF8) RC 2. .NET Entity Framework Sep 12, 2023 Post comments count 6 Post likes count 11 EF Core 8 RC1: Complex types as value objects Arthur Vickers Announcing Entity Framework Core 8 (EF8) RC 1 with support for complex types used as value objects .NET Entity Framework May 16, 2023 Post comments count 13 Post likes count 7 EF Core 8 Preview 4: Primitive collections and improved Contains Shay Rojansky Announcing Entity Framework Core 8 (EF8) Preview 4 with support for primitive collections and improved Contains .NET Entity Framework Posts pagination 1 2 … 8 Load more posts Learn C# & .NET Free tutorials, videos, courses, and more for beginner through advanced .NET developers. Get Started Today Popular topics .NET Aspire .NET MAUI AI ASP.NET Core Blazor C# Developer Stories NuGet Azure .NET Feature Blogs .NET Aspire .NET MAUI AI ASP.NET Core Blazor Entity Framework Machine Learning NuGet Languages C# F# Visual Basic Popular Topics .NET Internals .NET Servicing Containers Developer Stories Performance More .NET Download .NET .NET Community .NET Documentation .NET API Browser Learn .NET Learning Hub Architecture Guidance Beginner Videos Customer Showcase Follow Twitter Mastodon YouTube Facebook LinkedIn GitHub Bluesky Archive January 2026 December 2025 November 2025 October 2025 September 2025 August 2025 July 2025 June 2025 May 2025 April 2025 March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 September 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 May 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 April 2022 March 2022 February 2022 January 2022 December 2021 November 2021 October 2021 September 2021 August 2021 July 2021 June 2021 May 2021 April 2021 March 2021 February 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 April 2019 March 2019 February 2019 January 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 September 2017 August 2017 July 2017 June 2017 May 2017 April 2017 March 2017 February 2017 January 2017 December 2016 November 2016 October 2016 September 2016 August 2016 July 2016 June 2016 May 2016 April 2016 March 2016 February 2016 January 2016 December 2015 November 2015 October 2015 September 2015 August 2015 July 2015 June 2015 May 2015 April 2015 March 2015 February 2015 January 2015 December 2014 November 2014 October 2014 September 2014 August 2014 July 2014 June 2014 May 2014 April 2014 March 2014 February 2014 January 2014 December 2013 November 2013 October 2013 September 2013 August 2013 July 2013 June 2013 May 2013 April 2013 March 2013 February 2013 January 2013 December 2012 November 2012 October 2012 September 2012 August 2012 July 2012 June 2012 May 2012 April 2012 March 2012 February 2012 January 2012 December 2011 November 2011 October 2011 September 2011 August 2011 June 2011 May 2011 April 2011 March 2011 February 2011 January 2011 December 2010 November 2010 October 2010 September 2010 August 2010 July 2010 June 2010 May 2010 April 2010 March 2010 February 2010 January 2010 December 2009 November 2009 October 2009 September 2009 August 2009 July 2009 June 2009 May 2009 April 2009 March 2009 February 2009 January 2009 December 2008 November 2008 October 2008 September 2008 August 2008 July 2008 June 2008 May 2008 April 2008 March 2008 February 2008 January 2008 December 2007 November 2007 October 2007 September 2007 August 2007 July 2007 June 2007 May 2007 April 2007 March 2007 February 2007 January 2007 December 2006 November 2006 October 2006 September 2006 August 2006 July 2006 June 2006 May 2006 April 2006 March 2006 February 2006 January 2006 October 2005 July 2005 May 2005 December 2004 November 2004 September 2004 June 2004 Follow this blog 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 .NET Blog Newsletter. Privacy Statement. Subscribe Sign in Theme 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:11 |
https://gg.forem.com/new/xbox | New Post - 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 Join the Gamers Forem Gamers Forem is a community of 3,676,891 amazing gamers Continue with Apple Continue with Google Continue with Facebook Continue with Forem Continue with GitHub 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 Gamers 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 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:11 |
https://dev.to/challenges/frontend-2025-06-04#main-content | Frontend Challenge: June Celebrations - 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 > Frontend Challenge: June Celebrations CHALLENGE RESULTS 🏆 Winners Announced! 🎊 Congrats to the Frontend Challenge: June Celebrations Winners! Read Announcement Challenge ends soon! Submit your entry now DAYS : HOURS : MINUTES : SECONDS See prompts Frontend Challenge: June Celebrations View Entries Please sign in to follow this challenge Flex your CSS and JavaScript skills! Challenge Status: Ended Ended Join our next Challenge Running through June 29, Frontend Challenge: June Celebrations will feature our beloved CSS Art prompt and a brand new prompt: Perfect Landing . Our theme is June Celebrations, designed to be all-encompassing and accessible as we celebrate everything from Father's Day to Juneteenth to Pride Month. There is so much worth celebrating this month - did you know June also hosts National Nail Polish Day, National Hazelnut Cake Day, and so many more fun and quirky events?! We can't wait to see what you share with us. As with all Frontend Challenges, there will be one winner per prompt. That's two chances to win bragging rights, a DEV++ membership , and an exclusive DEV badge! Key Dates Contest start: June 04, 2025 Submissions due: June 29, 2025 Winners announced: July 10, 2025 Badge Rewards Frontend Challenge Participant Frontend Challenge Winner Challenge Prompts CSS Art: June Celebrations Draw what comes to mind for you when it comes to June celebrations. Consider this an opportunity to share something meaningful about your culture and community. Whether it's Pride flags, a Father's Day card, Juneteenth commemoration, or even something wonderfully silly like National Donut Day! We want to see your artistic interpretation of a celebration in June. Submission Template Judging Criteria: Creativity Effective Use of CSS Aesthetic Outcome Perfect Landing: June Celebrations Build a landing page that informs people about a June celebration that you care about. This could be anything from a comprehensive guide to Pride Month events, a tribute page for Juneteenth, or even a delightfully detailed breakdown of National Cheese Day - the choice is yours! Submission Template Judging Criteria: Accessibility Usability and User Experience Creativity Code quality Frequently Asked Questions Participation Can I submit to multiple prompts? Yes, you are welcome to submit to multiple prompts. Can one submission qualify for multiple prompts? Yes, if your submission offers a solution to multiple prompts, it can qualify for multiple prompts. 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. In the event that you may win two or more prompts, and your submission is very close with another participant, we will favor the other participant. In the event that you do win two or more prompts, you will only receive one winner badge. Can I work on a team? Yes, you can work on teams of up to four people. 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 the shop gift, 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 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. i.e. a new animation, and new sprite, a new function, a new presentation. Not just changes to the source - i.e. changing colours, changing one sprite, changing one function. 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. How do I embed my project directly into my DEV post? Our editor supports many types of embeds, including: Stackbliz, Glitch, Github, etc. You can typically use the {% embed https://... %} syntax directly in the post. Click here for more information on our markdown support. For CodePen, you will need to use this syntax: {% codepen http://... %} For CodeSandbox, you will need to use this syntax: {% codesandbox http://... %} 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. Frontend Challenge: June Celebrations Rules NO PURCHASE NECESSARY. Open only to 18+. Contest entry period ends June 29, 2025 at 11:59 PM PDT. Contest is void where prohibited or restricted by law or regulation. All entires must be submitted during the content period. For Official Rules, see Frontend Challenge: June Celebrations 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:11 |
https://dev.to/deved/build-apps-with-google-ai-studio#How-long-does-it-take-to-complete-the-track | Build Apps with Google AI Studio - DEV Education Track - 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 DEV Education Tracks > Build Apps with Google AI Studio Build Apps with Google AI Studio Follow Tag View Discussions Learn to turn text prompts into fully functional web applications using Google AI Studio Track Overview The moment is here! We recently announced DEV Education Tracks , our new initiative to bring you structured learning paths directly from industry experts. Today, we're thrilled to launch our very first track in partnership with the team at Google AI . This track will guide you through Google AI Studio's new "Build apps with Gemini" feature, where you can turn a simple text prompt into a fully functional, deployed web application in minutes. A New Way to Learn This inaugural track perfectly exemplifies our goal for DEV Education Tracks: to close the gap between discovering a new technology and building with it confidently. By partnering directly with the Google AI team, we're able to bring you an authoritative, hands-on guide to one of the most exciting new tools in AI development. How to Complete This Track This DEV Education Track is a three-part experience: 1) an expert tutorial followed by 2) a hands-on build and 3) a writing assignment . Work through all three parts and you'll earn the exclusive Google AI Studio Builder badge ! Track Details Skill Level Beginner Earn This Badge Build Apps with Google AI Studio Badge Complete the track to earn this badge Learn More Get additional details and ask questions about the Build Apps with Google AI Studio learning track. View Announcement Learning Partner: Google AI Google AI is at the forefront of artificial intelligence research and development, creating tools and technologies that democratize AI for developers worldwide. Through Google AI Studio, they're making it easier than ever to build intelligent applications. Explore Google AI Studio Learning Curriculum Follow this structured learning path to master the skills 1 📖 Part 1: Follow the Expert Tutorial Start with the comprehensive guide created by the Google AI team to learn how to use Google AI Studio from idea to deployment. Learning Objectives Understand Google AI Studio's app building capabilities Learn how to craft effective prompts for app generation Navigate the deployment process Explore the generated code and understand the structure Getting Started Begin by reading through the expert tutorial created by the Google AI team. This comprehensive guide will walk you through every step of the process, from initial setup to final deployment. Read the Tutorial Module Details Duration 30-45 minutes Difficulty Beginner Prerequisites None - just curiosity about AI development 2 🤖 Part 2: Build Your Own App Put your new skills to the test by building an app that incorporates image generation with the Imagen API. Learning Objectives Apply learned concepts to create your own application Experiment with different prompt strategies Integrate image generation capabilities Deploy a working web application Getting Started After working through the tutorial, your assignment is to use the build feature in Google AI Studio to build an app that incorporates image generation with the Imagen API. We encourage you to come up with your own apps, but here are some ideas if you need inspiration: App Ideas for Inspiration: RPG character portrait generator Fridge-photo based recipe generator On-demand coloring book generator Logo generator for business ideas Share Your Project Module Details Duration 1-3 hours Difficulty Beginner to Intermediate 3 ✏️ Part 3: Earn Community Recognition Share your creation with the DEV community and earn your exclusive Google AI Studio Builder badge. Learning Objectives Document your development process Share learnings with the community Reflect on the experience and key takeaways Contribute to the collective knowledge base Getting Started Use our official submission template to share your assignment and earn your badge! Your submission should include: The prompt you used to generate the app A link to your deployed application Screenshots or demo of your app in action Brief description of your experience and what you learned Our team reviews submissions on a rolling basis with badges awarded every few days. There's no deadline! Share Your Project Module Details Duration 30 minutes Difficulty Beginner Frequently Asked Questions Get answers to common questions about the Build Apps with Google AI Studio track Quick Navigation Frequently Asked Questions Do I need coding experience? What kind of apps can I build? How long does it take to complete the track? Is the track really free? What if I get stuck? Can I modify the generated app? Frequently Asked Questions Do I need coding experience? No! Google AI Studio is designed to be accessible to everyone, regardless of coding background. The AI generates the code for you based on your prompts. What kind of apps can I build? You can build a wide variety of web applications, especially those that benefit from AI capabilities like image generation, text processing, and data analysis. How long does it take to complete the track? Most learners complete the track in 2-4 hours, but you can work at your own pace. There's no deadline! Is the track really free? Yes! The track is completely free. You'll only need a Google account to access Google AI Studio. What if I get stuck? Join our community discussions using the #learngoogleaistudio tag, where you can ask questions and get help from other learners and the Google AI team. Can I modify the generated app? Absolutely! The generated code is yours to customize and extend. Many learners start with the AI-generated base and then add their own features. 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:11 |
https://gg.forem.com/t/vrgaming | Vrgaming - 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 # vrgaming Follow Hide Immersive worlds with motion-powered fun Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Messenger: A Tiny Planet, Big Heart — Why This Browser Game Is a Hidden Gem Engineer Robin 🎭 Engineer Robin 🎭 Engineer Robin 🎭 Follow Nov 22 '25 Messenger: A Tiny Planet, Big Heart — Why This Browser Game Is a Hidden Gem # gamedev # pcgaming # vrgaming # xbox 6 reactions Comments Add Comment 2 min read Yes, Reality Labs is still losing billions Gaming News Gaming News Gaming News Follow Aug 7 '25 Yes, Reality Labs is still losing billions # gaminghardware # vrgaming # pcgaming # mobilegaming Comments Add Comment 1 min read Yes, Reality Labs is still losing billions Gaming News Gaming News Gaming News Follow Aug 5 '25 Yes, Reality Labs is still losing billions # gaminghardware # vrgaming # gameaccessories # cloudgaming Comments Add Comment 1 min read IGN: Death Stranding 2 - All VR Missions S Ranked | Porter Fundamentals Program Gaming News Gaming News Gaming News Follow Jul 7 '25 IGN: Death Stranding 2 - All VR Missions S Ranked | Porter Fundamentals Program # vrgaming # playstation # openworld # singleplayer Comments Add Comment 1 min read IGN: Death Stranding 2 - All VR Missions S Ranked | Porter Mastery Program Gaming News Gaming News Gaming News Follow Jul 7 '25 IGN: Death Stranding 2 - All VR Missions S Ranked | Porter Mastery Program # vrgaming # walkthroughs # playstation # singleplayer Comments Add Comment 1 min read IGN: Death Stranding 2 - All VR Missions S Ranked | Porter Mastery Program Gaming News Gaming News Gaming News Follow Jul 7 '25 IGN: Death Stranding 2 - All VR Missions S Ranked | Porter Mastery Program # vrgaming # walkthroughs # playstation # singleplayer Comments Add Comment 1 min read IGN: Death Stranding 2 - All VR Missions S Ranked | Porter Fundamentals Program Gaming News Gaming News Gaming News Follow Jul 7 '25 IGN: Death Stranding 2 - All VR Missions S Ranked | Porter Fundamentals Program # vrgaming # playstation # openworld # singleplayer Comments Add Comment 1 min read loading... trending guides/resources Messenger: A Tiny Planet, Big Heart — Why This Browser Game Is a Hidden Gem 💎 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:11 |
https://dev.to/moizch1 | peter - 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 Follow User actions peter 404 bio not found Joined Joined on Aug 10, 2025 More info about @moizch1 Post 2 posts published Comment 6 comments written Tag 3 tags followed Canes Menus: A Complete Guide to Raising Cane’s Favorites peter peter peter Follow Dec 16 '25 Canes Menus: A Complete Guide to Raising Cane’s Favorites Comments Add Comment 1 min read Want to connect with peter? Create an account to connect with peter. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in MagisTV APK: Complete Guide to Features, Download, and Benefits peter peter peter Follow Dec 16 '25 MagisTV APK: Complete Guide to Features, Download, and Benefits Comments Add Comment 1 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 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:11 |
https://devblogs.microsoft.com/commandline/ | 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 Command Line Windows Terminal, Console and Command Line, Windows Subsystem for Linux, WSL, Windows Package Manager Latest posts Nov 19, 2025 Post comments count 2 Post likes count 8 PowerToys 0.96 is here: endpoints for Advanced Paste, metadata support for PowerRename and more! Niels Laute We are back with a fresh PowerToys release! This month brings a redesigned Advanced Paste experience with support for multiple AI model endpoints, a wave of improvements to Command Palette, and plenty of smaller upgrades across the utility suite. Grab the update by checking for updates in PowerToys or heading to the release page. Let's jump in! 📋 Smarter, faster, and more flexible: Advanced Paste gets a big upgrade We have been hard at work improving Advanced Paste. Both the Settings experience and the Advanced Paste UI have been refreshed with a cleaner, more modern design. A lot of you asked for more flexib... Oct 15, 2025 Post comments count 5 Post likes count 4 PowerToys 0.95 is here: new Light Switch utility, faster Command Palette, and Peek with Spacebar Niels Laute New month, new release! This one’s packed with quality-of-life improvements, performance boosts, and a bunch of long-standing community requests finally checked off the list — all while keeping the focus on fundamentals like speed and reliability! Get the update by checking for updates in PowerToys or heading to the release page. Let’s dive in! 🆕 Automatically switch between light and dark-mode with Light Switch Meet Light Switch, a brand-new utility that automatically switches your PC between light and dark mode! You can set custom start and end times, or let Light Switch handle it for you by using the sunri... Sep 2, 2025 Post comments count 5 Post likes count 7 PowerToys 0.94 is here: Settings search, shortcut conflict detection and more! Niels Laute This release is all about quality-of-life improvements — making it easier to find the setting you’re looking for, spot shortcut conflicts, and even adding a new way to move your mouse cursor. Get the update by checking for updates in PowerToys or heading to the release page. Search in Settings PowerToys has grown a lot over the years, and with so many settings it can sometimes be hard to find exactly what you need. That’s why we’ve added a search box in Settings. Search supports fuzzy matching, so you don’t need to type the exact name. Just press Ctrl+F (or click the search box) and start typing. Suggestion... Aug 26, 2025 Post comments count 1 Post likes count 4 Windows Terminal Preview 1.24 Release Kayla Cinnamon We’re back with another Terminal release for you! This development cycle, we focused on overall quality of life improvements and bug fixes. We are also updating Windows Terminal stable to version 1.23, which will include all of the features from this previous blog post. Some notable features to call out are: 🌟 A completely new and more reliable windowing architecture, featuring a more robust tray icon, window actions, and "summoning" (i.e. Quake mode). 🌟 A new UI in settings for customizing your New Tab dropdown menu. 🌟 Additional settings that have been added to the settings UI that originally only existed i... Aug 13, 2025 Post comments count 0 Post likes count 7 PowerToys 0.93 is here: faster Command Palette, new dashboard UX and more Niels Laute Hey PowerToys fans! We’re back with a fresh release: PowerToys 0.93! As usual, we've squashed a bunch of bugs and made some small quality of life tweaks, but we've also packed in some bigger, exciting changes you'll want to check out. Get the update by checking for updates in PowerToys or heading to the release page. Command Palette – smaller, better, faster, stronger! We’ve been hard at work with the community to iron out issues and speed things up. And wow… it’s paid off. By enabling Ahead of Time (AOT) compilation in the Windows App SDK, we successfully reduced the startup memory usage by 15%, load time b... May 19, 2025 Post comments count 39 Post likes count 33 Edit is now open source Christopher Nguyen What is Edit? Edit is a new command-line text editor in Windows. Edit is open source, so you can build the code or install the latest version from GitHub! This CLI text editor will be available to preview in the Windows Insider Program in the coming months. After that, it will ship as part of Windows 11! How to use Edit Open Edit by running in the command line or running . With this, you will be able to edit files directly in the command line without context switching. What are Edit's features? Edit is still in an early stage, but it has several features out of the box. Here are some highlights! Lightwe... May 6, 2025 Post comments count 9 Post likes count 12 Fedora Linux is now an official WSL distro Jeremy Cline We’re pleased to announce that one of the latest additions to the list of official WSL distros is Fedora Linux! The Fedora Project has taken advantage of WSL’s new tar-based architecture to produce WSL images beginning with Fedora 42. Try it out To install it, run and then launch it with . You’ll be prompted for a username, and then you’ll be ready to go. By default, your user does not have a password and is part of the group which allows you to use to run commands that require elevated privileges. Tour of Fedora 42 If this is your first time using Fedora, the Fedora documentation is a good place to start a... Feb 26, 2025 Post comments count 1 Post likes count 0 Terminal Chat now included in GitHub Copilot Free Christopher Nguyen Windows Terminal Canary users can now use Terminal Chat with the GitHub Copilot Free plan! 🚀 GitHub Copilot Free is limited to 50 chat messages per month. This includes the usage of Copilot in the CLI, VS Code, and Visual Studio. If you reach your quota, you can upgrade on the web. You can sign up for GitHub Copilot Free through the Copilot setting in your GitHub account. No subscription needed! :D What is GitHub Copilot? GitHub Copilot is an AI coding assistant that helps you write code faster and with less effort, allowing you to focus more energy on problem solving and collaboration. GitHub Copilot has ... Feb 5, 2025 Post comments count 5 Post likes count 4 Windows Terminal Preview 1.23 Release Christopher Nguyen Happy New Year everyone! Here is our first Windows Terminal Preview release of the year! In this release, we focused on porting many of our beloved settings to the Settings UI. We also have several bug fixes and accessibility updates as well. We are also updating Windows Terminal stable to version 1.22 which will include all of the features from this previous blog post. Those that loved our sixel support and Snippets Pane in 1.22 Preview can now see those features in our mainline product! Also, huge thanks to the folks that have shared the cool stuff they've been doing with sixels to us. We're glad that you fol... Load more posts Popular topics Windows Subsystem for Linux (WSL) Command Line Command-Line Windows Console Windows 10 Windows Terminal Cmd Linux tools Open-Source Windows Store Top Bloggers Niels Laute Senior Product Manager Christopher Nguyen Product Manager II, Windows Terminal Jeremy Cline Kayla Cinnamon Senior Developer Advocate Archive November 2025 October 2025 September 2025 August 2025 May 2025 February 2025 November 2024 October 2024 August 2024 May 2024 April 2024 February 2024 January 2024 November 2023 October 2023 September 2023 August 2023 May 2023 February 2023 January 2023 November 2022 October 2022 September 2022 August 2022 July 2022 June 2022 May 2022 March 2022 February 2022 December 2021 November 2021 October 2021 August 2021 July 2021 May 2021 April 2021 March 2021 January 2021 December 2020 November 2020 October 2020 September 2020 August 2020 July 2020 June 2020 May 2020 April 2020 March 2020 February 2020 January 2020 December 2019 November 2019 October 2019 September 2019 August 2019 July 2019 June 2019 May 2019 February 2019 December 2018 November 2018 October 2018 September 2018 August 2018 July 2018 June 2018 May 2018 April 2018 March 2018 February 2018 January 2018 December 2017 November 2017 October 2017 August 2017 July 2017 June 2017 May 2017 April 2017 February 2017 January 2017 November 2016 October 2016 September 2016 July 2016 June 2016 April 2016 March 2016 Follow this blog 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 Sign in Theme 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:11 |
https://dev.to/adventures_in_devops/mastering-devops-the-art-of-technical-proficiency-communication-devops-172#main-content | Mastering DevOps: The Art of Technical Proficiency & Communication - DevOps 172 - 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 Adventures in DevOps Follow Mastering DevOps: The Art of Technical Proficiency & Communication - DevOps 172 Sep 14 '23 play Kyler Middleton is a Hashi Ambassador and AWS Community Builder. They dive into the captivating world of DevOps and explore the importance of technical expertise combined with effective communication skills. Kyler shares valuable insights on topics ranging from building a robust skillset to the challenges and responsibilities of security engineers. Moreover, they uncover the secrets to achieving developer velocity, integrating automation into workflows, and understanding the foundational knowledge in networking. They navigate the complexities of the cloud environment and explore the transformative nature of technical and computer skills. Sponsors Cprime: Enterprise IT and Agile Solutions Developer Book Club Become a Top 1% Dev with a Top End Devs Membership Socials LinkedIn: Kyler Middleton Kyler Middleton Picks Jonathan - Oppenheimer (2023) Kyler - Pink Drink Starbucks Refreshers® Beverage Kyler - Kiddie socks Advertising Inquiries: https://redcircle.com/brands Privacy & Opt-Out: https://redcircle.com/privacy Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:11 |
https://buildwithfern.com/pricing | Pricing | Fern Products SDKs Publish client libraries in popular languages. Docs API documentation tailored to your brand. Documentation Customers Pricing Careers Blog Sign in Book a demo Plants Plans that grow with you Automate SDK maintenance so your engineers can spend time on higher-value projects. Developer docs customized to match your brand. SDKs Docs Start with SDKs, add Docs anytime. Language support Typescript SDK View example Python SDK View example Go SDK View example Java SDK View example C# SDK View example PHP SDK View example Ruby SDK View example Swift SDK View example Rust SDK Coming soon... Basic $250 /mo per SDK, billed annually. For small teams who are just beginning their API journey. Get started Up to 50 endpoints Support for REST APIs Automated publishing to registries Add unlimited custom code Schema validation Trusted by ModernFi Fintech Schematic HQ Billing Framework Vellum LLM Ops (YC W23) 14 day free trial † Pro $600 /mo per SDK, billed annually. For companies looking for purpose-built SDKs. Book a demo Everything in Basic, plus: Up to 150 endpoints SSE, WebSockets and Webhooks Dedicated Slack support channel Pagination, Retries, and OAuth Trusted by Payabli Fintech Deepgram Voice AI MavenAGI AI Customer Service Enterprise Custom per SDK, billed annually. For enterprises who need fully-featured SDKs with a dedicated team. Book a demo Everything in Pro, plus: Unlimited endpoints SDK Migration services Enterprise support and SLAs Github Issue triage + monitoring Custom code maintenance Trusted by Intercom AI Customer Service Auth0 Identity Platform Square Payments Basic $250/mo per SDK Get started Get started Pro $600/mo per SDK Book a demo Book a call Enterprise Custom Book a demo Book a call Protocols REST API (OpenAPI) Vellum LLM Ops (YC W23) Bring your OpenAPI or Fern Definition. Learn more Up to 50 endpoints Up to 150 endpoints Unlimited Webhook verification Include a helper function to verify the signature of incoming webhook requests. Learn more WebSockets (AsyncAPI) Specify your WebSocket subscriptions by using AsyncAPI or the Fern Definition. Learn more Server-sent events Stream JSON data from your server to your client (i.e. chat completions). Learn more gRPC Call gRPC/Protobuf services. Learn more OpenRPC Authentication Basic, bearer, API key Supports popular authentication methods. Learn more OAuth 2.0 Handle the OAuth flow and automate retrieving and managing access tokens. HMAC, digest Ensures secure authentication and data integrity in API communications. Augment with custom code Custom logic Extend the generated SDK to provide additional functionality. Learn more Custom dependencies Add extra dependencies to your generated SDKs. Custom code maintenance We take responsibility for adding, testing, and maintaining the custom code you want to offer in your SDKs. Learn more Features Strongly typed Developers get autocomplete in code editors and compile errors when they forget required fields. Learn more Idiomatic method names Customize your SDK method names to read the way you like. Learn more Schema validation Fail-fast if the payloads diverge from your schema. Learn more Multipart form data Natively support uploading files and other media. Learn more Forward compatibility Safely add information as your API evolves. Learn more Polymorphism Supported via tagged unions (a.k.a. discriminated unions). Learn more Auto-pagination Return an iterator so that users can simply loop through all the results. Learn more Retries with backoff Retry an operation that has failed, with progressively increasing wait time between retries. Learn more Idempotency headers Specify idempotency headers for endpoints you’ve configured as idempotent. Learn more Mock server tests A generated mock server will assert that the SDK is making the correct requests. Learn more Integration tests Manually written tests that call your production API in CI before releasing a new SDK version. Learn more Automation Semantic versioning Major, minor, and patch changes. Registry publishing Automatically publish to registries like NPM, PyPI, and Maven. Learn more Merge multiple APls Intelligently merge multiple API Definitions into a single SDK. Learn more Up to 5 Unlimited Filter with audiences Segment your API spec for different consumers (e.g., Internal, Public, Beta testers). Learn more Code Snippets In the SDK Vellum LLM Ops (YC W23) Allow users to see usage examples on hover. In GitHub Vellum LLM Ops (YC W23) A reference of the SDK available in your GitHub repo In your Fern Docs If you use Fern Docs, snippets are auto-populated for every endpoint in every language. Learn more In your third-party docs Support for ReadMe, Mintlify, Docusaurus, etc. Via our API Fetch code snippets to display in your docs Learn more Dynamically via your API Provide a request payload and receive a corresponding SDK snippet . Learn more Onboarding and Support Support channels Get fast technical support from our engineering team based in NYC. OpenAPI audit An engineer at Fern will recommend improvements to your OpenAPI spec. SDK migration services Make it seamless for end users to migrate between major versions. GitHub issue triage We monitor your user-filed issues and collaborate with you (when needed) to remediate them. Service level agreement SOC 2 report Get our SOC 2 Type II annual audit report. Integration Github & Gitlab Sync SDK source code to repositories. NPM Vellum LLM Ops (YC W23) PyPI Vellum LLM Ops (YC W23) Maven Vellum LLM Ops (YC W23) RubyGems Vellum LLM Ops (YC W23) Packagist Vellum LLM Ops (YC W23) FAQs Common questions related to security, trust, and compliance. What languages do you support? We support 7 languages: TypeScript, Python, Go, Java (Kotlin), PHP, Ruby. Swift and Rust are on our roadmap next. Can I add custom code? Yes, you can extend the generated SDKs with custom code and dependencies . What plan is right for me as an AI company? AI companies require specific features like Websockets and SSE so most AI companies subscribe to a Pro or Enterprise plan. What is migration process for my existing SDKs? Fern provides complete migration support for your existing SDKs as part of our Enterprise plan. It will be written into your contract. Can I merge multiple OpenAPI specs? Yes, you can provide multiple OpenAPI specs and Fern will automatically combine common namespace and generate one combined SDK. Who maintains and responds to community contributions? On the Basic and Pro plans, you are responsible for monitoring and managing community contributions. With our Enterprise plan, Fern takes care of reviewing all community contributions and ensuring updates are merged in. Security Reviews Security reviews are offered with our Enterprise plan. Custom MSAs Custom MSAs are offered with our Enterprise plan. Who is our compliance vendor? Our compliance certifications can be found here . Where are we based? The entire team is based in Williamsburg, New York. Who are your investors? We're raised $12M+ from Bessemer, YC, and top-tier investors. Get started today Our team partners with you to perfect your OpenAPI spec and launch SDKs that scale to millions of downloads. Book a demo Easy migration from Mintlify, Readme, & Docusaurus Basic $400 /mo billed annually. For small teams who are just starting their Docs site. Get started Stripe-like API Reference API Explorer (“Try it”) Built-in components library Custom domain & subpath Custom CSS and JavaScript Preview Deployments Trusted by Yoco Payments Platform View docs Aiola Voice AI View docs Truework Income Verification Platform View docs Pro $1,000 /mo billed annually. For companies looking for Docs with custom needs. Book a demo Everything in Basic, plus: Custom React Components Authed docs (JWT, Password) RBAC support API Key Injection AI Search (add-on) Trusted by Payabli Payments Infrastructure View docs Vapi Voice AI View docs OpenRouter AI Model Router View docs Enterprise Custom billed annually. For enterprises who need fully-featured Docs and a migration team. Book a demo Everything in Pro, plus: White-glove content migration Custom integration Authed docs (SSO) Design services Enterprise support and SLAs Trusted by Webflow Website Builder View docs LaunchDarkly Feature Flags View docs Elevenlabs Voice AI View docs Basic $400/mo per site Get started Get started Pro $1,000/mo per site Book a demo Book a call Enterprise Custom Book a demo Book a call Protocols REST API Webhooks WebSockets Server-sent events gRPC OpenRPC AI Support New Ask Fern Host docs at your website's custom subdomain (docs.yourdomain.com) or subpath (yourdomain.com/docs) Learn more Enable an out-of-the-box AI chat for your docs site. Or bring your own LLM. Learn more Custom Custom Custom /llms.txt Vellum Enable tools like Cursor, GitHub Copilot, ChatGPT, and Claude to quickly understand your documentation. Learn more Deployment Custom domain Host docs at your website's custom subdomain (docs.yourdomain.com) or subpath (yourdomain.com/docs) Learn more Dev & staging environments View changes to your docs before they hit prod. Learn more Preview deployments Preview changes to your docs before merging to main. Learn more SEO optimized Fern supports adding SEO metadata in the frontmatter. Learn more Self-hosting Run on your own infrastructure while getting upgrades and support. Learn more Writing Content Editors Add the whole team, we don't charge by seat. Learn more Unlimited Unlimited Unlimited Markdown guides Write MD or MDX files which let you use JSX in your content. Learn more Changelog Let users know what's changed by publishing release notes. Learn more Version switcher Host a docs site for employees within your organization. Learn more Up to 3 Up to 10 Unlimited Auto-populated changelog Generate changelog entries for human review Product switcher Offer users a toggle in the top left to switch between your products or APIs. Learn more Localization Offer users translated content native to their preferred language. API Reference API Explorer to "Try it" Try the API by executing requests without leaving your docs. Learn more REST API Bring your OpenAPI or Fern Definition to describe your HTTP API. Server-sent events included. Learn more Webhooks Describe your event payloads, powered by OpenAPI 3.0+. Learn more WebSockets Describe your two-way interactive communication session. Learn more Server-sent events Show users what they can expect from a streamed response. Learn more Auto-populate API key Integrate with your authentication flow, allowing users to login and have their API key automatically populated. Learn more Authentication Password protection Protect your site or specific pages with a password to gain access. RBAC Role-based access controls for end users. Learn more JSON web tokens (JWT) Exchange identity tokens between your app and docs. Learn more Single sign-on (SSO) Integrates with Okta, Google Workspace, Microsoft Entra, GitHub, or AWS Cognito. Learn more Search Algolia DocSearch Fast and relevant search to help users find content. Learn more Design Landing page A homepage for your developer portal. Custom CSS & JavaScript Advanced customization of the appearance. Learn more Custom React components Write and execute code within markdown. Learn more Integrations Analytics Integrates with Google Analytics, PostHog, Segment, Fullstory, MixPanel, Koala, etc. Learn more Postman generation Generate and automatically sync a Postman Collection to your Workspace. Learn more Feature flags Integrates with LaunchDarkly. Vale.sh Lint your docs for spelling, grammar, and adherence to technical writing best practices. Learn more Semrush Boost your SEO and get recommendations for how to improve it. Custom integrations Support & Services Support via Slack & Teams SOC 2 Type Il Content migration services Fern brings over your content from your legacy docs provider. Design services You provide your brand kit. Our designer builds your theme and styling. OpenAPI audit Get a report from an engineer at Fern who provides recommendations to improve your spec. Support SLA Fern will withhold all SLA requirements with an Enterprise plan. Security review FAQs Common questions related to security, trust, and compliance. Does Fern only do API docs? No, Fern provides customers with the ability to offer customized Docs including cookbooks, guides, an API explorer, and more. How customizable is the look and feel of your Docs site? Fern is completely customizable. We offer a robust brand template that can edited. In addition, customers can add custom JS, CSS, and React components. Security Reviews Security reviews are offered with our Enterprise plan. Custom MSAs Custom MSAs are offered with our Enterprise plan. Who is our compliance vendor? Our compliance certifications can be found here . Where are we based? The entire team is based in Williamsburg, New York. Who are your investors? We're raised $12M+ from Bessemer, YC, and top-tier investors. Get started today Our team partners with you to perfect your OpenAPI spec and launch SDKs that scale to millions of downloads. Book a demo Delight developers with Docs and SDKs. Get newsletter updates: Subscribe Please wait... ← Back Success! You'll get updates in your inbox. ← Back Oops! Something went wrong, please try again Checking status... Soc 2 Type II Documentation Introduction OpenAPI Generator SDKs Docs Resources Blog Careers Customers Support Pricing Company GitHub Brand Kit Privacy Policy Terms of Service © 2025 Fern • Birch Solutions, Inc. Located in Brooklyn, New York | 2026-01-13T08:48:11 |
https://devblogs.microsoft.com/dotnet-ch/ | .NET中文官方博客 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 .NET中文官方博客 .NET中文官方博客 免费、 跨平台、 开源。一个用于构建所有应用程序的开发人员平台 Latest posts Mar 27, 2025 Post comments count 0 Post likes count 0 为 .NET 的 AI 评估解锁新的可能性 Eddie Chen 本文翻译自Wendy Breiding的Unlock new possibilities for AI Evaluations for .NET Microsoft.Extensions.AI.Evaluations 库旨在简化AI评估流程与应用程序的集成。它提供了一个强大的框架,用于评估您的 AI 应用程序并自动评估其性能。 去年11月,我们发布了该库的公开预览版。今天,我们很高兴地宣布,它现已在 dotnet/Extensions 存储库中开源。该代码仓库中包含了一套提供开发生产就绪应用所需的常用功能的库。通过向所有人开放该资源,我们希望帮助开发者更高效地在项目中利用 AI 的强大能力。 新的示例代码 为了帮助您快速上手 Microsoft.Extensions.AI.Evaluations 库,我们发布了一系列新示例代码。这些示例展示了多种应用场景,并演示如何高效利用该库的功能。无论您是经验丰富的开发者,还是刚刚踏上 AI 之旅的新手,这些示例都能为您提供宝贵的见解和实践指导。您可以在我们的 GitHub 代码仓库中查看这些示例。我们鼓励您深入探索、动手实践,并与我们分享您的反馈。您的贡献和意见对我们持续优化和扩展库的功能至关重要。 Azure DevOps 插件简介 希望将 AI 评估集成到您的 Azure DevOps 管道中?我们很高兴地宣布在Marketplace中推出了插件。该插件... Mar 20, 2025 Post comments count 2 Post likes count 2 引入对SLNX的支持,.NET CLI 中更简洁的解决方案文件格式 Eddie Chen 本文翻译自Chet Husk的Introducing support for SLNX, a new, simpler solution file format in the .NET CLI 多年来,解决方案文件已成为 .NET 和 Visual Studio 体验中的一部分,并且它们一直拥有相同的自定义格式。最近,Visual Studio 解决方案团队已开始预览一种新的基于 XML 格式的解决方案文件格式,称为 SLNX。从 .NET SDK 9.0.200 开始, CLI 支持生成这些文件并与之交互,其方式与使用现有解决方案文件的方式相同。在本文的其余部分,我们将展示如何迁移到新格式,探索 dotnet CLI 对该格式的新支持,并讨论该格式走向正式发布的后续计划。 快速开始 在 SDK 9.0.200 之前,创建 SLNX 文件的唯一方式是通过 Visual Studio 设置。勾选 设置后,用户可以将现有的 .sln 文件另存为新的 .slnx 格式。 SDK 9.0.200 提供了一个命令来执行相同的迁移操作:。 让我们从一个非常简单的解决方案和项目设置开始,看看迁移的具体步骤。首先,我们创建一个新的解决方案: 现在,我们将创建一个项目并将其添加到解决方案中: 现在,让我们将解决方案转换为新格式: 新格式基于 XML 格式,比旧格式简洁得多——但包含所有相同... Mar 13, 2025 Post comments count 0 Post likes count 0 .NET AI 模板现已提供预览版 Eddie Chen 本文翻译自Jordan Matthiesen的.NET AI Template Now Available in Preview 想要开始 AI 开发,却不确定从哪里入手?我给您带来了一个好消息——我们全新的 AI 聊天 Web 应用模板现已提供预览版!这个模板是我们不断努力的一部分,旨在通过在Visual Studio,Visual Studio Code 和 .NET CLI 中提供脚手架和指导,让使用 .NET 进行 AI 开发变得更容易上手。 请注意,该模板目前为预览版,未来版本可能会根据您的反馈和 AI 的快速发展进行调整。 立即安装模板 如果想要开始使用该模板的首个预览版,您需要在终端中安装 Microsoft.Extensions.AI.Templates。只需运行: 安装完成后,该模板即可在 Visual Studio,Visual Studio Code(需安装 C# Dev Kit)中使用,或者您也可以在工作目录中运行命令 来创建它。 入门指南:.NET AI 聊天模板 .NET AI 聊天模板旨在帮助您快速构建一个基于 AI 的聊天应用来使用自定义数据进行对话。此次首个版本注重基于 Blazor 的 Web 应用,并使用 Microsoft.Extensions.AI 和 Microsoft.Extensions.VectorData 抽象库构建。该模板采用了常见... Mar 6, 2025 Post comments count 3 Post likes count 0 .NET MAUI在 .NET 9 中的性能功能 Eddie Chen 本文翻译自 Jonathan 和 Simon 的 .NET MAUI Performance Features in .NET 9 .NET 多平台应用 UI (.NET MAUI) 随着各个版本的发布而不断发展,与此同时,.NET 9 重点引入了裁剪功能和一个新的受支持运行时:NativeAOT。这些功能可以帮助您减少应用程序大小、提高启动速度,并确保应用程序在各个平台上流畅运行。无论是希望优化 .NET MAUI 应用的开发者,还是 NuGet 包的作者,都可以在 .NET 9 中使用这些功能。 我们还将向开发人员介绍可用于测量 .NET MAUI 应用程序性能的选项。CPU 采样和内存快照可分别通过 和 获得。这些工具可以帮助您深入了解应用程序、NuGet 包的性能问题,甚至是我们需要关注的 .NET MAUI 问题。 背景 默认情况下, iOS 和 Android 上的 .NET MAUI 应用程序使用以下设置: 完全裁剪 这就是完全裁剪()能影响应用程序大小的地方。如果您的应用包含大量 C# 代码或 NuGet 包,您可能正在错失大幅减少应用程序体积的机会。 要选择完全裁剪,您可以将以下内容添加到 文件中: 以下是完全裁剪的影响示例: 有关完全裁剪的更多信息,请参阅我们的裁剪 .NET MAUI 文档。... Feb 27, 2025 Post comments count 1 Post likes count 0 使用Chroma构建.NET AI应用 Eddie Chen 本文翻译自 Luis 和 Jiri 的 Building .NET AI apps with Chroma 无论您是构建 AI 解决方案还是想使用高级搜索功能增强现有项目,您现在都可以使用 Chroma 作为 .NET 应用程序中的数据库提供程序。 什么是Chroma? Chroma 是一款适用于人工智能应用程序的开源数据库。 借助对存储嵌入、元数据过滤、向量搜索、全文搜索、文档存储和多模式检索的支持,您可以使用 Chroma 在应用程序中支持语义搜索和检索增强生成(RAG)功能。 有关更多详情,请访问 Chroma 网站。 在 C# 应用程序中使用Chroma 在本示例中,我们将使用 ChromaDB.Client 来连接到 Chroma 数据库并使用向量搜索来搜索电影。 最简单的开始方式是在本地使用 Chroma Docker 映像。您也可以在 Azure 中部署实例。 连接数据库 当使用托管版本的 Chroma 时,请将 替换为您的托管端点。 创建集合 现在您有了客户端,请创建一个集合来存储电影数据。 要对该集合执行操作,您需要创建一个集合客户端。 向集合中添加数据 创建集合后,就可以向其中添加数据了。我们存储的数据包括: 搜索电影(使用向量搜索) 现在您的数据已存储在数据库中... Feb 20, 2025 Post comments count 0 Post likes count 0 增强 Razor 生产力的新功能 Eddie Chen 本文翻译自Leslie Richardson的New Features for Enhanced Razor Productivity! 如果您现在正在使用 Razor 构建 Web 应用,我们为您带来了一些令人兴奋的新功能,无论您使用的是 Visual Studio 还是 Visual Studio Code,您都会爱上这些新功能!现在,您可以使用名为“将元素提取到新组件”的重构功能,以及全新的基于 Roslyn 的 C# 分词器,这些功能旨在提升您在 Razor 文件中的开发效率。让我们一起来看看吧! 将元素提取到新组件 将元素提取到新组件是 Visual Studio 17.12 中提供的一项全新的重构功能,它可以自动化创建新 Razor/Blazor 组件的过程。您无需手动创建新文件并复制/粘贴代码,只需选中想要提取的代码(或标签),然后点击灯泡图标并选择将元素提取到新组件即可完成提取操作。该功能让创建可复用组件变得更加简单,有助于保持代码整洁,提高可维护性。 在该功能的首个版本中,提取为组件功能主要支持基础的、以 HTML 为主的代码提取场景。不过,我们计划在未来添加更多改进和支持更高级的场景(例如更一致地处理涉及变量依赖、C# 代码、参数等的提取)。 Roslyn C# 分词器 C# 分词器/词法分析器的更新显著提升了 Razor 对 C# 代码的处理能力。许... Feb 14, 2025 Post comments count 0 Post likes count 1 .NET 9 网络优化 Eddie Chen 本文翻译自 Máňa, Natalia 和 Anton 创作的 .NET 9 Networking Improvements 秉承我们的传统,我们很高兴与您分享这篇博客文章,以介绍新的 .NET 版本中网络领域相关的最新动态和最有趣的变化。今年,我们带来了 HTTP 领域的改变、新的 HttpClientFactory API、.NET Framework 兼容性优化等更多内容。 HTTP 在接下来的部分中,我们将介绍 HTTP 领域最具影响力的变化。其中包括连接池的性能优化、对多个HTTP/3连接的支持、Windows代理的自动更新,以及重要的社区贡献。 连接池 在此版本中,我们对HTTP连接池进行了两项显著的性能优化。 我们增加了对多个HTTP/3连接的可选支持。根据RFC 9114标准文档,由于连接可以多路复用并行请求,因此不鼓励使用多个HTTP/3连接到对等端。然而,在某些场景下,例如服务器到服务器的通信,即使请求多路复用,单一连接也可能成为瓶颈。我们在 HTTP/2 中看到了这样的限制(dotnet/runtime#35088),它同样具有在单一连接上多路复用的概念。出于同样的原因(dotnet/runtime#51775),我们决定为HTTP/3实现多连接支持(dotnet/runtime#101535)。 该实现本身尽可能贴近 HTTP/2 多连接机制的行为。当前,它的策略是优... Feb 9, 2025 Post comments count 1 Post likes count 1 立即使用 .NET 和 DeepSeek R1 构建智能应用程序! Eddie Chen 本文翻译自Matt Soucoup的Build Intelligent Apps with .NET and DeepSeek R1 Today! 最近,DeepSeek R1 模型引起了广泛关注。我们被频繁问到的一个问题是:“我能在 .NET 应用程序中使用 DeepSeek 吗?”答案是:当然可以!接下来,我将带您了解如何通过 GitHub Models 上的 Microsoft.Extensions.AI(MEAI)库与 DeepSeek R1 结合使用,让您能够立即开始体验 R1 模型的功能。 MEAI 让使用 AI 服务变得简单 MEAI 库提供了一套统一的抽象和中间件,以简化 AI 服务在 .NET 应用程序中的集成。 换句话说,如果您使用 MEAI 开发应用程序,无论底层使用的是哪种模型,您的代码都将使用相同的 API。这降低了构建 .NET AI 应用程序的难度,因为无论使用哪个 AI 服务,您只需记住一个库(即 MEAI)的操作方式。 对于 MEAI,您将主要使用的接口是 。 与 DeepSeek R1 聊天 GitHub Models 允许您尝试大量不同的 AI 模型,而无需担心托管问题。这是免费开启 AI 开发之旅的绝佳方式。GitHub Models 还会不断更新新模型,例如 DeepSeek 的 R1。 我们要构建的演示应用是一个简单的控制台应用程序... Jan 23, 2025 Post comments count 0 Post likes count 0 .NET 9 中的 OpenAPI 文档生成 Eddie Chen 本文翻译自Mike Kistler的OpenAPI document generation in .NET 9 .NET 9 中的 ASP.NET Core 通过引入全新的对OpenAPI 文档生成功能的内置支持,简化了为 API 端点创建 OpenAPI 文档的过程。这项新功能旨在简化开发工作流程,并改善 OpenAPI 定义在 ASP.NET 应用中的集成。 OpenAPI 的广泛使用催生了丰富的工具和服务生态系统,它们能够帮助您更高效地构建、测试和记录 API。例如,Swagger UI、Kiota 客户端库生成器和 Redoc 等,当然还有许多其他工具。 为什么选择 OpenAPI? OpenAPI 是定义和记录 HTTP API 的强大工具。它提供了一种标准化方式来描述 API 的端点、请求和响应格式、身份验证方案以及其他重要细节。这种标准化使开发人员能够更轻松地了解和与API进行交互,从而促进更好的协作并构建更强大的应用程序。 此外,许多大型语言模型(LLMs)已在 OpenAPI 文档上进行了训练,使其能够自动生成代码、测试用例和其他工件。通过为您的 API 生成 OpenAPI 文档,您可以利用这些 LLM 来加速开发流程。 .NET 9 中的新功能? 在 .NET 9 中,我们引入了对 OpenAPI 文档生成功能的内置支持,为 .NET 开发人员提供了更集成、更流畅的体验。此... Load more posts Popular topics .NET .NET MAUI .NET 8 .NET Core C# .net 9 AI ASP.NET Core Blazor .NET Framework Top Bloggers Eddie Chen Partner Technical Advisor Relevant Links 下载 .NET .NET 文档 .NET 学习路线 BiliBili 其他 Archive March 2025 February 2025 January 2025 December 2024 November 2024 October 2024 August 2024 July 2024 June 2024 May 2024 April 2024 March 2024 February 2024 January 2024 December 2023 November 2023 October 2023 September 2023 August 2023 July 2023 June 2023 April 2023 March 2023 February 2023 January 2023 December 2022 November 2022 October 2022 September 2022 Follow this blog 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 .NET中文官方博客 Newsletter. Privacy Statement. Subscribe Sign in Theme 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:11 |
https://learn.interviewkickstart.com/ace-your-mock-interview#faqs | Ace your mock interview | Interview Kickstart Skip to content How it works Pricing FAQs Start Interviewing with FAANG+ Experts Start Interviewing with FAANG+ Experts Mock Interviews with FAANG+ Engineers — The Smarter Way to Prepare Gain confidence. Fix your gaps. Crack your next interview. Start Interviewing with FAANG+ Experts Interviewers from Offer: $200K - SDE @ 1.28M highest offer 4.8/5 Avg. Rating 3-5X Higher Offer 12,235 + Mock interviews Start Interviewing with FAANG+ Experts Interviewers from Interviewers from Practise mock interviews with 700+ experts Maximize Your Interviewing Potential Danielle Class Danielle Class is a Software Engineering Manager at Amazon, leading AI initiatives, and an instructor at Interview Kickstart. She brings 10+ years of experience across engineering, program management, and STEM education, with a strong focus on mentoring and curriculum development. Software Engineering Manager, Experience 16+ Years Mock interviews 230+ Rating 4.89 ★ Daniel Hoffman Daniel Hoffman is a Senior Technical Program Manager at Amazon Ring, leading cross-functional initiatives and product insights. With deep expertise in technical program management and a passion for mentoring, he helps candidates excel in TPM and PM interviews through focused mock sessions and practical feedback. Sr. Program Manager, Experience 10+ Years Mock interviews 145+ Rating 4.90 ★ Shruti Goli Shruti Goli is a Senior Product Manager at Incode, building cutting-edge ML and AI products for identity verification and deepfake detection. Formerly Chief Product Officer at Trymata and a PM at Microsoft, she brings deep expertise in AI product strategy and interview preparation. Senior Product Manager, Experience 20+ Years Mock interviews 180+ Rating 4.92 ★ James Ausman James Ausman is a Senior Technical Program Manager at Chime with deep experience spanning AWS, Eventbrite, Twilio, Google, and Square. Specializing in technical infrastructure, fintech, and program leadership, he mentors professionals preparing for TPM and PM roles at top-tier companies. Sr. Technical Program Manager, Experience 23+ Years Mock interviews 200+ Rating 4.90 ★ Praveen Kumar Kashimsetty Praveen Kumar is Director of Product Management at Rafay and a seasoned mentor at Interview Kickstart. With 16 years at Microsoft and leadership roles at Meta and Rafay, he brings deep expertise in cloud, infrastructure, and product management, helping professionals break into top-tier product and TPM roles. Director of Product Management Experience 20+ Years Mock interviews 200+ Rating 4.85 ★ Neha Ganjoo Neha Ganjoo is a seasoned Product Manager with over 20 years of experience in product development, strategy, and execution across diverse tech-driven industries. She has a proven track record of collaborating closely with engineering, design, and business teams to deliver impactful products, with expertise spanning market research, roadmap planning, user experience optimization, and leading growth initiatives in fast-paced, innovative environments. Capital Strategy Manager, Experience 16+ Years Mock interviews 230+ Rating 4.89 ★ Randy Cogill Randy Cogill is a Senior Research Scientist at Amazon with deep expertise in data science, optimization, and machine learning. He has led impactful projects in demand forecasting and inventory management, and previously taught at the University of Virginia while managing over $1M in funded research. Senior Research Scientist, Experience 20+ Years Mock interviews 200+ Rating 4.86 ★ Jacob Markus Jacob Markus is a Capital Strategy Manager at Meta with deep expertise in financial planning, data center operations, and large-scale cost forecasting. He brings experience from top tech firms like AWS and Apple, where he led strategic initiatives spanning R&D finance, risk modeling, and global forecasting. Capital Strategy Manager, Experience 12+ Years Mock interviews 155+ Rating 4.76 ★ Hanif Mahboobi Hanif Mahboobi is a seasoned AI and data science leader with over 12 years of experience across top firms like PayPal, Meta, AWS, and Albertsons. He specializes in AI strategy, personalization systems, and leadership of high-impact data teams, and also actively mentors professionals transitioning into advanced AI and ML roles. Senior Data Science Leader, Experience 16+ Years Mock interviews 270+ Rating 4.81 ★ Matt Nickens Matt Nickens is a Senior Manager of Data Science at CarMax, with prior leadership roles at Meta, Disney, and 20th Century Fox. He has deep expertise in building and scaling data science teams, driving insights across tech and entertainment, and delivering impactful analytics solutions. Sr Manager - Data Science Experience 17+ Years Mock interviews 165+ Rating 4.71 ★ Naveen Neppalli Naveen Neppalli is Vice President of AI at Viant Technology and Vouched, with 18+ years of leadership in AI, ML, and GenAI across Amazon, Disney, and more. He specializes in large-scale AI systems, computer vision, and personalized recommendations, and mentors on deep tech and engineering leadership. VP of AI & Engineering Experience 19+ Years Mock interviews 190+ Rating 4.92 ★ Thang Tran Thang Tran is a seasoned Backend and Data Software Engineer with 7+ years of experience bridging data engineering, machine learning, and backend development. He specializes in building scalable systems, robust data pipelines, and APIs that power ML models and data-driven decision-making, with deep expertise in Python, Django, Flask, Kubernetes, AWS, and GCP. Senior Data Engineer Experience 15+ Years Mock interviews 140+ Rating 4.79 ★ David Prorok David Prorok is a former Software Engineer at Facebook with 10+ years of experience in front-end engineering and product development. He now coaches engineers at Interview Kickstart and leads innovative projects blending AI, mindfulness, and creative education, bringing a unique mix of technical depth and coaching expertise. Front-end Engineering Experience 17+ Years Mock interviews 160+ Rating 4.88 ★ How Our Mock Interviews Work Your Path to Interview Success in 3 Simple Steps Pick a Domain Choose from DSA, System Design, or Behavioral based on your preparation needs. Book a Mock Interview Get matched with a real FAANG+ interviewer for a personalized 1-on-1 practice session. Sharpen Your Prep Review your mock interview recordings and feedback to fix weak spots before your next round. As seen on Mock Interview Samples A preview of the typical FAANG interview FAANG Mock Interview with Software Engineer | Recursion Interview Full Stack Mock Interview | Interview Questions with Software Engineer Google Mock Interview with Software Engineer | Object Modelling ML & DL Mock Interview by AI Reality Labs Manager at Meta Mock Interview by Co-Founder at Trebellar | Object Modelling #MAANG Pick the Perfect Package for Your Goals $199 $250 Essential Pack Ideal for candidates seeking a focused, single mock interview with expert feedback. 1 Mock Interview Resume & LinkedIn review Personalized written feedback One-on-one session with a FAANG+ expert Enroll Now $525 $750 Elite Pack Designed for professionals who want to refine their skills with more interview practice. 3 Mock Interviews Resume & LinkedIn review Personalized written feedback Access to curated prep guides & practice questions One-on-one sessions with FAANG+ experts Interviewer Selection by Request Enroll Now Why Top Professionals Choose IK Expert-Led Coaching Practice with 600+ FAANG+ interviewers who know what it takes. Realistic Experience Live sessions mirror real interviews at top tech companies. Actionable Feedback Get detailed input on both technical and soft skills. Proven Results Candidates land offers 3x–5x higher than the industry average. What our students have to say Each instructor-led session was packed with information and there were lots of problems to practice. The course was intense, but it was a great use of my time. Neelesh Tendulkar Offers from Google, Intuit Interview Kickstart is like a fitness coach which guides to achieve your dream job. It can help you identify your weak points and also suggest steps to improve them. Swapnil Tailor Offers from Facebook, Twitter, Linkedin The classes, workshops, quizzes, practice problems, and mock interviews provided me with the knowledge, tools, and the feedback that I was missing. Interview Kickstart showed me how to prepare for success. Flavia Vela Offers from LinkedIn, Amazon IK provides a nice, structured way to prepare for interviews while having a full-time job. Mock interviews helped me get better and the problem sets alleviated the need for me to source problems externally. Kushal L Offers from Facebook Read more reviews Top companies love hiring our candidates FAQs General About Interviewers About Mock Interviews Refund Policy Why should I choose Interview Kickstart? Interview Kickstart is the Gold Standard for Interview Preparation—no other program comes close. We’ve helped more than 25,000 candidates land their dream jobs at top companies (including those who previously struggled with interviews). While others focus on “hacking” interviews, we focus on making you a better professional. Top companies like Google, Meta, and Amazon have 5-7 interview rounds with experienced engineers—shortcuts just don’t work. Our interviewer quality is unparalleled—every instructor is a FAANG+ industry expert, rigorously vetted to ensure you learn from the best. This commitment to excellence is part of IK’s DNA. With years of experience assisting professionals like you in achieving their career goals, we understand what it takes to succeed in today’s competitive job market. What results can I expect? Candidates who train with us see a success rate 3 to 5 times higher in landing FAANG+ offers compared to the industry average. Do you offer guidance beyond mock interviews? Yes. We provide tailored resources to boost your prep, including resume analysis, skill gap analysis, LinkedIn profile review, target role insights, salary benchmarks, curated guides, and practice questions. Who are the Interview Kickstart interviewers? We have a team of over 600 experienced hiring managers and experts from Tier 1 tech and product companies. They know exactly what it takes to succeed in top-tier interviews. How are Interview Kickstart interviewers vetted? Our instructors are all hand-picked FAANG+ experts, personally vetted by our founder, Soham Mehta (ex-Box). They undergo a rigorous screening process, including trial interviews, and are continuously evaluated to ensure top-tier quality instruction. We aim to provide the best learning experience to ensure your success. Can I choose my mock interviewer? Can I request someone from a specific company? Yes, you can request a specific interviewer from a particular company (e.g., a Googler for a Google interview). While we do our best to accommodate such requests, interviewer selection is subject to availability. Simply submit a request, and we will inform you if we can match you with your preferred choice. What level of experience is required to take mock interviews? You don’t need to be at any specific experience level to practice interviewing with us. Our interviews are tailored for professionals at all levels, whether you’re preparing for your first technical interview or targeting a leadership position. How does Interview Kickstart’s training compare to self-practice? While practicing in front of the mirror can be helpful, Interview Kickstart Mock Interviews provide a more structured, comprehensive training with real FAANG+ experts, ensuring focused learning, faster progress, and better outcomes. How do I book a mock interview? Booking is quick and easy: Visit pricing anchor link. Select a package that fits your goals and budget Choose your preferred date and time Attend a live, interactive mock interview with FAANG+ experts and receive personalized feedback What kind of questions are asked in mock interviews? Our mock interviews mirror real FAANG+ interviews and are tailored to your role. Here is a sample of the topics you could practice for: Software Engineers: CS fundamentals, data structures, algorithms, and systems design. Product Managers: Product strategy, prioritization, user empathy, and analytical problem-solving. Engineering Managers: People management, technical leadership, project execution, and systems design. Data Scientists/ML Engineers: Statistics, machine learning, coding, data analysis, and experimental design. Technical Program Managers: Program management, cross-functional communication, and risk mitigation. What if I’m already good at coding? Will this package still benefit me? Yes. Even experienced coders benefit from advanced topics, mock interviews, and feedback that fine-tunes their problem-solving and communication skills. How realistic are these mock interviews? They’re live and designed to closely replicate actual FAANG+ interviews, ensuring you’re fully prepared for the real thing. How private are the mock interviews? Our mock interviews are designed to simulate real interview conditions, including both audio and video, though the format can be adjusted based on your preference. All our instructors have signed Non-Disclosure Agreements (NDAs) with us, guaranteeing that any information shared during your mock interview will remain strictly confidential. You have complete control over what personal details you choose to disclose during the session. How soon can I book my mock interview? You can usually schedule your first mock interview within 24 hours of purchasing a package. Can I cancel/reschedule my mock interview? You can cancel or reschedule for free if done at least 24 hours in advance. Cancellations or reschedules within 24 hours of the session will count as a completed session with no refunds. What happens if I don’t show up for my interview? If you miss your scheduled mock interview, it will be counted as completed, and no refund or rescheduling will be available. What kind of feedback will I receive? You’ll get detailed written feedback covering the below aspects (and more): Technical skills Problem-solving approach Communication style Behavioral interview responses Can I track my progress over time? Yes! Our platform includes progress tracking tools to monitor your growth and target key improvement areas. Can I review my mock interviews afterward? Absolutely! You’ll have lifetime access to your recordings, so you can rewatch, reflect, and improve anytime. What if I’m not satisfied with my purchase? Our refund policy is outlined below: Full Refund: Available if requested within 72 hours of purchase, provided no mock interview has been scheduled. 50% Refund: Available if requested within 10 days of purchase, provided no mock interview has been scheduled. No Refunds: After 10 days from the purchase date or if at least one mock interview has been scheduled. The refund approval process will be completed within 30 days of raising the request. Once your refund is approved, you will no longer have access to any session materials or classes. To request a refund, submit a request from your account dashboard. Can I get a refund for unused mock interviews? Yes, unused mock interview sessions are eligible for a refund within 72 hours of completing your last session. After this, refunds will no longer be available, but you can still use your remaining sessions anytime in the future. In case where you get a refund, it will be adjusted based on the original discount applied. For example: If you purchased 3 discounted sessions for $600 (3 x $200) and used only 1 session, your refund will be calculated based on the 2-session price (2 x $200 = $400). Your refund amount would be $600 – $200 = $400. If you used 2 sessions, the refund would be $600 – $400 = $200. To request a refund, you must inform us within 72 hours of your last interview. How long does it take to process refunds after approval? After approval, refunds will be processed within 5 to 7 business days and credited to the original payment method. About us Why us Reviews Instructors FAQs Contact us Careers Life at IK Data Source Discover IK About us Reviews FAQs Careers Data Source Why us Reviews FAQs Contact us Life at IK Socials © Copyright 2026. All Rights Reserved. © Copyright 2026. All Rights Reserved. T&C Privacy Policy Register for our webinar How to Nail your next Technical Interview 1 hour Webinar Slot Blocked Loading... 1 Enter details 2 Select webinar slot Your name *Invalid Name Email Address *Invalid Email Address Your phone number *Invalid Phone Number I agree to receive updates and promotional messages via WhatsApp By sharing your contact details, you agree to our privacy policy. Select your webinar time Select a Date November 20 November 20 November 20 Time slots 22:30 22:30 22:30 22:30 22:30 Time Zone: Finish Back Almost there... Share your details for a personalised FAANG career consultation! Work Experience in years * Required Select one... 0-2 3-4 5-8 9-15 16-20 20+ Domain/Role * Required Select one... Back-end Cloud Engineer Cyber Security Data Engineer Data Science Front-end Full Stack Machine Learning / AI Engineering Manager - any domain Tech Product Manager Product Manager (Non Tech) Technical Program Manager Test Engineer / SDET / QE Android Developer iOS Developer Site Reliability Engineer Embedded Software Engineer Other Software Engineers Data Analyst / Business Analyst Core Engineering/STEM degree Salesforce developer DevOps Engineer None of the above I have been laid off recently I’m currently a student Next Back Your preferred slot for consultation * Required Morning (9AM-12PM) Afternoon (12PM-5PM) Evening (5PM-8PM) Get your LinkedIn Profile reviewed * Invalid URL Beat the LinkedIn algorithm—attract FAANG recruiters with our insights! Get your Resume reviewed * Max size: 4MB Upload Resume (.pdf) Only the top 2% make it—get your resume FAANG-ready! Finish Back Registration completed! 🗓️ Friday, 18th April, 6 PM Your Webinar slot ⏰ Mornings, 8-10 AM Our Program Advisor will call you at this time Resume Browsing Book a Free 1:1 Call with an Interview Strategy Consultant Join a personalized session to know how we can fast-track your FAANG+ job offer. Gaps in your interview readiness and how to fix them Custom mock interview plans based on your target role Real success stories and sample feedback reports Role-specific prep for EM, PM, DS, and SWE interviews 4.8 ⭐️ 4.7 ⭐️ 4.8 ⭐️ 4.7 ⭐️ Book your session Join a personalized session to know how we can fast-track your FAANG+ job offer. Full Name ⓘ Enter first name Email Address ⓘ Please enter a valid email Contact Number ⓘ Please enter valid number ⓘ Used to send reminder for webinar I wish to receive further updates and confirmation via Whatsapp By sharing your contact details, you agree to our privacy policy . Proceed Choose a slot Time Zone: Asia/Dhaka Select a Date November 20 November 20 November 20 Time slots 22:30 22:30 22:30 22:30 22:30 SAT 23 06:00 AM Almost full SAT 23 06:00 AM SAT 23 06:00 AM Filling fast SAT 23 06:00 AM SAT 23 06:00 AM SAT 23 06:00 AM SAT 23 06:00 AM SAT 23 06:00 AM SAT 23 06:00 AM Back Proceed Years of experience Select option 0-2 3-4 5-8 9-15 16-20 20+ ⓘ Select experience I’m currently a student Domain/Role Select option Back-end Cloud Engineer Cyber Security Data Engineer Data Science Front-end Full Stack Machine Learning / AI Engineering Manager - any domain Tech Product Manager Product Manager (Non Tech) Technical Program Manager Test Engineer / SDET / QE Android Developer iOS Developer Site Reliability Engineer Embedded Software Engineer Other Software Engineers Data Analyst / Business Analyst Core Engineering/STEM degree Salesforce developer DevOps Engineer None of the above ⓘ Select domain Starting interviews in Select option I’m already interviewing <30 days 30 - 60 days 60 days" data-cr="1.13">>60 days No plans as of yet ⓘ Select interview start plan I have been laid off recently Back Submit Registration completed! Looking forward to meeting you on 🗓️ Monday 09 December ⏳ 07:30 AM Details have been sent to your email Explore other programs View Testimonials Loading Comments... Write a Comment... Email (Required) Name (Required) Website | 2026-01-13T08:48:11 |
https://dev.to/deved.html | DEV Education Tracks - 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 DEV Education Tracks Learning Tracks Available Now 🎓 Build Apps with Google AI Studio Learn to turn text prompts into fully functional web applications using Google AI Studio Active Beginner What are DEV Education Tracks? 🧠 DEV Education Tracks are curated learning experiences that combine expert education content with optional hands-on practice. Whether you're completely new to a topic or looking to deepen your understanding, these tutorials are designed to give you a solid foundation and inspire you to start building. How It Works 📚 Learn from Experts: Access high-quality tutorials created by industry leaders from companies like Google AI Build & Practice: Apply your knowledge through hands-on assignments and real-world projects Earn Recognition: Share your work and earn exclusive DEV badges to showcase your achievements Create the Official Learning Experience Partner with DEV to create the definitive learning track for your tool, API, or platform. Work with our team to build hands-on tutorials that advance the skills of the entire developer ecosystem and showcase your technology to our engaged community. Get in Touch 💎 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:11 |
https://dev.to/page/frontend-challenge-25-06-04-contest-rules | Frontend Challenge: June Celebrations Contest Rules - 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 Frontend Challenge: June Celebrations Contest Rules Contest Announcement Frontend Challenge: February Edition Sponsored by Dev Community Inc.(" Sponsor ") NO ENTRY FEE. NO PURCHASE NECESSARY TO ENTER OR WIN. VOID WHERE PROHIBITED. We urge you to carefully read the terms and conditions of this Contest Landing Page located here and the DEV Community Inc. General Contest Official Rules located here ("Official Rules"), incorporated herein by reference. The following contest specific details on this Contest Announcement Page, together with the Official Rules , govern your participation in the named contest defined below (the "Contest"). Sponsor does not claim ownership rights in your Entry. The Official Rules describe the rights you give to Sponsor by submitting an Entry to participate in the named Contest. In the event of a conflict between the terms of this Contest Announcement Page and the Official Rules, the Official Rules will govern and control. Contest Name : Frontend Challenge: February Edition Entry Period : The Contest begins on June 4, 2025 at 12:00pm PDT and ends on June 29, 2025 at 11:59 PM PDT (the " Entry Period ") How to Enter : All entries must be submitted no later than the end of the Entry Period. You may enter the Contest during the Entry Period as follows: Visit the Contest webpage part of the DEV Community Site located here (the " Contest Page "); and Follow any instructions on the Contest Page and submit your completed entry (each an " Entry "). There is no limit on the number of Entries you may submit during the Entry Period. Required Elements for Entries : Without limiting any terms of the Official Rules, each Entry must include, at a minimum, the following elements: A published submission post on DEV that provides an overview of the project using the submission template provided on the Contest Page. Judging Criteria : All qualified entries will be judged by a panel as selected by Sponsor as set forth in the Official Rules. Judges will award one winner to each prompt based on the following: CSS Art: Creativity, Effective Use of CSS, Aesthetic Outcome Perfect Landing: Accessibility, Usability and User Experience, Creativity, Code quality 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. In the event that a participant may win two or more prompts, and the submissions are a tie, we will favor the participant that has not already won a prompt. Prize(s) : The prizes to be awarded from the Contest are as follows: Prompt Winners will receive: DEV++ Subscription Exclusive DEV Badge Participant Winner (who submits a valid and qualified entry) will receive: A completion badge on their DEV profile 💎 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:11 |
https://dev.to/deved/build-apps-with-google-ai-studio#Frequently-Asked-Questions | Build Apps with Google AI Studio - DEV Education Track - 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 DEV Education Tracks > Build Apps with Google AI Studio Build Apps with Google AI Studio Follow Tag View Discussions Learn to turn text prompts into fully functional web applications using Google AI Studio Track Overview The moment is here! We recently announced DEV Education Tracks , our new initiative to bring you structured learning paths directly from industry experts. Today, we're thrilled to launch our very first track in partnership with the team at Google AI . This track will guide you through Google AI Studio's new "Build apps with Gemini" feature, where you can turn a simple text prompt into a fully functional, deployed web application in minutes. A New Way to Learn This inaugural track perfectly exemplifies our goal for DEV Education Tracks: to close the gap between discovering a new technology and building with it confidently. By partnering directly with the Google AI team, we're able to bring you an authoritative, hands-on guide to one of the most exciting new tools in AI development. How to Complete This Track This DEV Education Track is a three-part experience: 1) an expert tutorial followed by 2) a hands-on build and 3) a writing assignment . Work through all three parts and you'll earn the exclusive Google AI Studio Builder badge ! Track Details Skill Level Beginner Earn This Badge Build Apps with Google AI Studio Badge Complete the track to earn this badge Learn More Get additional details and ask questions about the Build Apps with Google AI Studio learning track. View Announcement Learning Partner: Google AI Google AI is at the forefront of artificial intelligence research and development, creating tools and technologies that democratize AI for developers worldwide. Through Google AI Studio, they're making it easier than ever to build intelligent applications. Explore Google AI Studio Learning Curriculum Follow this structured learning path to master the skills 1 📖 Part 1: Follow the Expert Tutorial Start with the comprehensive guide created by the Google AI team to learn how to use Google AI Studio from idea to deployment. Learning Objectives Understand Google AI Studio's app building capabilities Learn how to craft effective prompts for app generation Navigate the deployment process Explore the generated code and understand the structure Getting Started Begin by reading through the expert tutorial created by the Google AI team. This comprehensive guide will walk you through every step of the process, from initial setup to final deployment. Read the Tutorial Module Details Duration 30-45 minutes Difficulty Beginner Prerequisites None - just curiosity about AI development 2 🤖 Part 2: Build Your Own App Put your new skills to the test by building an app that incorporates image generation with the Imagen API. Learning Objectives Apply learned concepts to create your own application Experiment with different prompt strategies Integrate image generation capabilities Deploy a working web application Getting Started After working through the tutorial, your assignment is to use the build feature in Google AI Studio to build an app that incorporates image generation with the Imagen API. We encourage you to come up with your own apps, but here are some ideas if you need inspiration: App Ideas for Inspiration: RPG character portrait generator Fridge-photo based recipe generator On-demand coloring book generator Logo generator for business ideas Share Your Project Module Details Duration 1-3 hours Difficulty Beginner to Intermediate 3 ✏️ Part 3: Earn Community Recognition Share your creation with the DEV community and earn your exclusive Google AI Studio Builder badge. Learning Objectives Document your development process Share learnings with the community Reflect on the experience and key takeaways Contribute to the collective knowledge base Getting Started Use our official submission template to share your assignment and earn your badge! Your submission should include: The prompt you used to generate the app A link to your deployed application Screenshots or demo of your app in action Brief description of your experience and what you learned Our team reviews submissions on a rolling basis with badges awarded every few days. There's no deadline! Share Your Project Module Details Duration 30 minutes Difficulty Beginner Frequently Asked Questions Get answers to common questions about the Build Apps with Google AI Studio track Quick Navigation Frequently Asked Questions Do I need coding experience? What kind of apps can I build? How long does it take to complete the track? Is the track really free? What if I get stuck? Can I modify the generated app? Frequently Asked Questions Do I need coding experience? No! Google AI Studio is designed to be accessible to everyone, regardless of coding background. The AI generates the code for you based on your prompts. What kind of apps can I build? You can build a wide variety of web applications, especially those that benefit from AI capabilities like image generation, text processing, and data analysis. How long does it take to complete the track? Most learners complete the track in 2-4 hours, but you can work at your own pace. There's no deadline! Is the track really free? Yes! The track is completely free. You'll only need a Google account to access Google AI Studio. What if I get stuck? Join our community discussions using the #learngoogleaistudio tag, where you can ask questions and get help from other learners and the Google AI team. Can I modify the generated app? Absolutely! The generated code is yours to customize and extend. Many learners start with the AI-generated base and then add their own features. 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:11 |
https://unjs.io/packages/citty | citty · Packages · UnJS UnJS Packages Blog Relations 49.2k citty Elegant CLI Builder. Elegant CLI Builder Fast and lightweight argument parser based on mri Smart value parsing with typecast, boolean shortcuts and unknown flag handling Nested sub-commands Lazy and Async commands Plugable and composable API Auto generated usage and help 🚧 This project is under heavy development. More features are coming soon! Usage Install package: # npm npm install citty # yarn yarn add citty # pnpm pnpm install citty Import: // ESM import { defineCommand, runMain } from "citty" ; // CommonJS const { defineCommand , runMain } = require ( "citty" ); Define main command to run: import { defineCommand, runMain } from "citty" ; const main = defineCommand ({ meta: { name: "hello" , version: "1.0.0" , description: "My Awesome CLI App" , }, args: { name: { type: "positional" , description: "Your name" , required: true , }, friendly: { type: "boolean" , description: "Use friendly greeting" , }, }, run ({ args }) { console. log ( `${ args . friendly ? "Hi" : "Greetings"} ${ args . name }!` ); }, }); runMain (main); Utils defineCommand defineCommand is a type helper for defining commands. runMain Runs a command with usage support and graceful error handling. createMain Create a wrapper around command that calls runMain when called. runCommand Parses input args and runs command and sub-commands (unsupervised). You can access result key from returnd/awaited value to access command's result. parseArgs Parses input arguments and applies defaults. renderUsage Renders command usage to a string value. showUsage Renders usage and prints to the console Development Clone this repository Install latest LTS version of Node.js Enable Corepack using corepack enable Install dependencies using pnpm install Run interactive tests using pnpm dev License Made with 💛 Published under MIT License . Argument parser is based on lukeed/mri by Luke Edwards ( @lukeed ). Documentation Stars 522 Monthly Downloads 9.1m Latest Version v0.1.6 GitHub GitHub View source Report an issue Resources Resources Explore Relations Discover on npm UnJS Unlock the potential of your web development journey with UnJS - where innovation meets simplicity, and possibilities become limitless. Community Contribute Discussions Contact us Content Search UnJS Website Design Kit GitHub © 2023 UnJS Team . Website is licensed under CC BY-NC-SA 4.0 | 2026-01-13T08:48:11 |
https://dev.to/dataframed-podcast/107-the-deep-learning-revolution-in-space-science | #107 The Deep Learning Revolution in Space Science - 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 A DataFramed Podcast Follow #107 The Deep Learning Revolution in Space Science Oct 3 '22 play We have had many guests on the show to discuss how different industries leverage data science to transform the way they do business, but arguably one of the most important applications of data science is in space research and technology. Justin Fletcher joins the show to talk about how the US Space Force is using deep learning with telescope data to monitor satellites, potentially lethal space debris, and identify and prevent catastrophic collisions. Justin is responsible for artificial intelligence and autonomy technology development within the Space Domain Awareness Delta of the United States Space Force Space Systems Command. With over a decade of experience spanning space domain awareness, high performance computing, and air combat effectiveness, Justin is a recognized leader in defense applications of artificial intelligence and autonomy. In this episode, we talk about how the US Space Force utilizes deep learning, how the US Space Force publishes its research and data to find high-quality peer review, the must-have skills aspiring practitioners need in order to pursue a career in Defense, and much more. Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:11 |
https://docs.suprsend.com/docs/preferences-angular | Angular - 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 PREFERENCE CENTRE Angular Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog PREFERENCE CENTRE Angular OpenAI Open in ChatGPT Integration guide to add notification preference centre in Angular website. OpenAI Open in ChatGPT **Preferences changes in @suprsend/web-sdk version >=2.0.0 In @suprsend/ [email protected] we have revamped SDK. The whole structure of preferences have been changed from SDK side. Please upgrade to newer versions. Old version of documentation for preference is available here . Pre-Requisites Integrate JavaScript SDK Identify user on login and reset on logout to ensure that preference changes are tagged to the correct user Configure notification categories on SuprSend dashboard Understanding of the preference data structure and methods Example implementation GitHub Repository for this example implementation can be found here: (“ https://github.com/suprsend/angular-example ”) Integration There will be 3 components in example implementation: preference channel-level-preferences category-level-preferences Preference component setup preference will be the main component and inside it, there will be a property (preferencesData) that contains full user preference data. Whenever there’s an update we will update the latest preference data in the preferencesData so that component to rerender. We already created SuprSend service to access SuprSend client everywhere in the application which is used to call methods. Call getPreferences method to get the preferences data for the already identified user. This method is used to get full user preferences data from the SuprSend. This method should be called first before any update methods. Calling this method will make an API call and returns a preference response, which you can store in your instance property preferenceData if there is no error. Note: Category translations work automatically—no additional configuration required. Since the Angular SDK is built on the web SDK, the locale is automatically passed through the underlying web SDK, and all embeddable SDKs in the preference centre inherit this behavior. Category names and descriptions are automatically displayed in the user’s locale. After that we configure 2 event listeners preferences_updated and preferences_error to listen to updates in preference data and errors. Our Main component preference has 2 child components one for Category-level preference section and other for Overall Channel-level preference section. preference.component.ts Copy Ask AI import { SuprsendService } from '../suprsend.service' ; @ Component ({ ... }) export class PreferenceComponent implements OnInit { preferencesData : any = null ; constructor ( private router : Router , private ssService : SuprsendService ) {} ngOnInit () : void { // before getting preferences make sure to call identify method // Translations work automatically - locale is passed by the web SDK automatically this . ssService . ssClient . user . preferences . getPreferences ({ locale: 'en' }). then (( resp ) => { if ( resp . status === 'error' ) { console . log ( resp . error ); } else { this . preferencesData = resp . body ; } }); // listen for update in preferences data this . ssService . ssClient . emitter . on ( 'preferences_updated' , ( preferenceData ) => { this . preferencesData = { ... preferenceData . body } } ); // listen for errors this . ssService . ssClient . emitter . on ( 'preferences_error' , ( error ) => { console . log ( 'ERROR:' , error ); }); } } preference.component.html Copy Ask AI < p * ngIf = "!this.preferencesData" > Loading ...</ p > < div * ngIf = "this.preferencesData" class = "main-div" > < h3 class = "main-header" > Notification Preferences </ h3 > <!-- notification category level preferences --> < app - category - level - preferences [ preferencesData ] = "this.preferencesData" > </ app - category - level - preferences > <!-- overall channel level preferences --> < app - channel - level - preferences [ preferencesData ] = "this.preferencesData" > </ app - channel - level - preferences > </ div > preference.component.css Copy Ask AI .main-div { margin : 24 px ; } .main-header { margin-bottom : 24 px ; } p , h3 { margin : 0 ; padding : 0 ; font-family : Arial , Helvetica , sans-serif ; } Category level Preference section In category-level preferences, you’ll have to fetch the data from 3 parts: Section -to show sections like “Product Updates” in below example Category -to show categories and their overall status like “Refunds” in below example CategoryChannel -to show communication channels inside the category and their status Below are the steps to render category preference UI: Loop through the property preferenceData.sections for showing sections, show sub-categories inside each section, and show subcategory’s channels inside each sub-category. Add a switch button next to each sub-category for opting in and out of the category. Add checkbox components in sub-category channels for opting in and out of category-channel. You can use any third-party npm package to import these components or design your own component. To update category preference on the click of the switch button, call updateCategoryPreference method and if no error is received in response, update the latest data in the instance property. For preference state opt-in set the switch state as on and off for the opt-out state. To update category-channel preference on the click of checkbox next to each channel, call the updateChannelPreferenceInCategory method. Update the latest data in the instance property if no error is received in response. For preference state opt-in set the checkbox state as checked and unchecked for the opt-out state. category-level-preferences.component.ts Copy Ask AI import { Component , Input } from '@angular/core' ; import { PreferenceOptions } from '@suprsend/web-sdk' ; import { SuprsendService } from '../suprsend.service' ; @ Component ({ selector: 'app-category-level-preferences' , templateUrl: './category-level-preferences.component.html' , styleUrls: [ './category-level-preferences.component.css' ], }) export class CategoryLevelPreferencesComponent { @ Input () public preferencesData : any ; constructor ( private ssService : SuprsendService ) {} async handleCategoryPreferenceChange ( e : boolean , subcategory : string ) { const resp = await this . ssService . ssClient . user . preferences . updateCategoryPreference ( subcategory , e ? PreferenceOptions . OPT_IN : PreferenceOptions . OPT_OUT ); if ( resp . error ) { console . log ( resp . error ); } else { this . preferencesData = { ... resp . body }; } } async handleChannelPreferenceInCategoryChange ( channel : any , category : string ) { if ( ! channel . is_editable ) return ; const resp = await this . ssService . ssClient . user . preferences . updateChannelPreferenceInCategory ( channel . channel , channel . preference === PreferenceOptions . OPT_IN ? PreferenceOptions . OPT_OUT : PreferenceOptions . OPT_IN , category ); if ( resp . status === 'error' ) { console . log ( resp . error ); } else { this . preferencesData = { ... resp . body }; } } } category-level-preferences.component.html Copy Ask AI < div * ngFor = "let section of this.preferencesData.sections" class = "cat-container" > < div * ngIf = "section.name" > < div class = "section-name-container" > < p class = "section-name-text" > {{ section . name }} </ p > < p class = "section-description-text" > {{ section . description }} </ p > </ div > </ div > < div * ngFor = "let subcategory of section.subcategories" > < div class = "subcategory-container" > < div class = "subcategory-top-div" > < div > < p class = "subcategory-name" > {{ subcategory . name }} </ p > < p class = "subcategory-description" > {{ subcategory . description }} </ p > </ div > < ui - switch size = "small" color = "#2463eb" [ disabled ] = "!subcategory.is_editable" [ checked ] = "subcategory.preference === 'opt_in'" ( change ) = " handleCategoryPreferenceChange($event, subcategory.category ) " ></ui-switch > </ div > < div class = "subcategory-channel-container" > < div * ngFor = "let channel of subcategory.channels" class = "category-channel-checkbox" > < input type = "checkbox" [ id ] = "subcategory.category + '-' + channel.channel" [ disabled ] = "!channel.is_editable" [ checked ] = "channel.preference === 'opt_in'" ( change ) = " handleChannelPreferenceInCategoryChange ( channel , subcategory . category ) " / > < label class = "category-channel-label" [ for ] = "subcategory.category + '-' + channel.channel" > {{ channel . channel }} </ label > </ div > </ div > </ div > </ div > </ div > category-level-preferences.component.css Copy Ask AI .cat-container { margin-bottom : 24 px ; } .section-name-container { background-color : #fafbfb ; padding-top : 12 px ; padding-bottom : 12 px ; margin-bottom : 18 px ; } .section-name-text { font-size : 18 px ; font-weight : 500 ; color : #3d3d3d ; } .section-description-text { color : #6c727f ; } p , label { margin : 0 ; padding : 0 ; font-family : Arial , Helvetica , sans-serif ; } .subcategory-channel-container { display : flex ; gap : 10 ; margin-top : 12 px ; } .subcategory-name { font-size : 16 px ; font-weight : 600 ; color : #3d3d3d ; } .subcategory-top-div { display : flex ; justify-content : space-between ; align-items : center ; } .subcategory-container { border-bottom : 1 px solid #d9d9d9 ; padding-bottom : 12 px ; margin-top : 18 px ; } .subcategory-description { color : #6c727f ; font-size : 14 px ; margin-top : 6 px ; } .category-channel-checkbox { margin-right : 20 px ; } .category-channel-label { margin-left : 4 px ; cursor : pointer ; } Channel level Preference section Below are the steps to render channel preference UI: Loop through the property preferenceData.channel_preferences for showing channels and for every channel item we will show an option to select preference using radio buttons. Add a radio button next, against channel level options for switching from all to required preference in channel. To update channel preference on the click of the radio button, call updateOverallChannelPreference method, and if no error is received in response, update the latest data in the state. channel-level-preferences.component.ts Copy Ask AI import { Component , Input } from '@angular/core' ; import { ChannelLevelPreferenceOptions } from '@suprsend/web-sdk' ; import { SuprsendService } from '../suprsend.service' ; @ Component ({ selector: 'app-channel-level-preferences' , templateUrl: './channel-level-preferences.component.html' , styleUrls: [ './channel-level-preferences.component.css' ], }) export class ChannelLevelPreferencesComponent { @ Input () public preferencesData : any ; constructor ( private ssService : SuprsendService ) {} async handleChange ( channel : string , preference : string ) { const preferenceStatus = preference === 'ALL' ? ChannelLevelPreferenceOptions . ALL : ChannelLevelPreferenceOptions . REQUIRED ; const resp = await this . ssService . ssClient . user . preferences . updateOverallChannelPreference ( channel , preferenceStatus ); if ( resp . status === 'error' ) { console . log ( resp . error ); } else { this . preferencesData = { ... resp . body }; } } } channel-level-preferences.component.html Copy Ask AI < div > < div class = "channel-header-div" > < p class = "channel-header-p" > What notifications to allow for channel ? </ p > </ div > < div > < div * ngFor = "let channel of this.preferencesData.channel_preferences" > < div class = "channel-container" > < p class = "channel-channel-text" > {{ channel . channel }} </ p > < p class = "channel-help-text" * ngIf = "channel.is_restricted; else allText" > Allow required notifications only </ p > < ng - template # allText > < p class = "channel-help-text" > Allow all notifications </ p > </ ng - template > < div class = "channel-radio-container" > < p class = "channel-radio-pref-text" > {{ channel . channel }} Preferences </ p > < div class = "radio-grp" > < div class = "radio-grp-2" > < div class = "radio-grp-container" > < div > < input type = "radio" [ checked ] = "!channel.is_restricted" name = "all-{{ channel.channel }}" id = "all-{{ channel.channel }}" ( change ) = "handleChange(channel.channel, 'ALL')" /> </ div > < label class = "all-label" for = "all-{{ channel.channel }}" > All </ label > </ div > < p class = "channel-radiohelp-text" > Allow All Notifications , except the ones that I have turned off </ p > </ div > < div > < div class = "radio-grp-container" > < div > < input type = "radio" name = "required-{{ channel.channel }}" id = "required-{{ channel.channel }}" [ checked ] = "channel.is_restricted" ( change ) = "handleChange(channel.channel, 'REQUIRED')" /> </ div > < label class = "required-label" for = "required-{{ channel.channel }}" > Required </ label > </ div > < p class = "channel-radiohelp-text" > Allow only important notifications related to account and security settings </ p > </ div > </ div > </ div > </ div > </ div > </ div > </ div > channel-level-preferences.component.css Copy Ask AI .channel-header-div { background-color: #fafbfb; padding-top: 12px; padding-bottom: 12px; margin-bottom: 18px; } .channel-header-p { font-size: 18px; font-weight: 500; color: #3d3d3d; } p, label { margin: 0; padding: 0; font-family: Arial, Helvetica, sans-serif; } .channel-container { border: 1px solid #d9d9d9; border-radius: 5px; padding: 12px 24px; margin-bottom: 24px; } .channel-channel-text { font-size: 18px; font-weight: 500; color: #3d3d3d; } .channel-help-text { color: #6c727f; font-size: 14px; margin-top: 6px; } .channel-radio-container { margin-top: 12px; margin-left: 24px; } .channel-radio-pref-text { color: #3d3d3d; font-size: 16px; font-weight: 500; margin-top: 18px; border-bottom: 1px solid #e8e8e8; } .channel-radiohelp-text { color: #6c727f; font-size: 14px; margin-left: 32px; margin-top: 4px; } .label-required { margin-left: 12px; } .radio-grp { margin-top: 12px; } .radio-grp-2 { margin-bottom: 8px; } .radio-grp-container { display: flex; align-items: center; } .all-label { margin-left: 12px; cursor: pointer; } .required-label { margin-left: 12px; cursor: pointer; } Was this page helpful? Yes No Suggest edits Raise issue Previous React Integration guide to add notification preference centre in React website. Next ⌘ I x github linkedin youtube Powered by On this page Pre-Requisites Example implementation Integration Preference component setup Category level Preference section Channel level Preference section 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 code: \"code\",\n em: \"em\",\n li: \"li\",\n ol: \"ol\",\n p: \"p\",\n pre: \"pre\",\n span: \"span\",\n strong: \"strong\",\n ul: \"ul\",\n ..._provideComponents(),\n ...props.components\n }, {CodeBlock, CodeGroup, Heading, OptimizedImage, Warning} = _components;\n if (!CodeBlock) _missingMdxReference(\"CodeBlock\", true);\n if (!CodeGroup) _missingMdxReference(\"CodeGroup\", true);\n if (!Heading) _missingMdxReference(\"Heading\", true);\n if (!OptimizedImage) _missingMdxReference(\"OptimizedImage\", true);\n if (!Warning) _missingMdxReference(\"Warning\", true);\n return _jsxs(_Fragment, {\n children: [_jsxs(Warning, {\n children: [_jsxs(_components.p, {\n children: [\"**Preferences changes in \", _jsx(_components.code, {\n children: \"@suprsend/web-sdk\"\n }), \" version \u003e=2.0.0\"]\n }), _jsxs(_components.p, {\n children: [\"In \", _jsx(_components.code, {\n children: \"@suprsend/web-sdk@2.0.0\"\n }), \" we have revamped SDK. The whole structure of preferences have been changed from SDK side. Please upgrade to newer versions. Old version of documentation for preference is available \", _jsx(_components.a, {\n href: \"https://docs.suprsend.com/v1.2.1/docs/angular\",\n children: \"here\"\n }), \".\"]\n })]\n }), \"\\n\", _jsx(Heading, {\n level: \"2\",\n id: \"pre-requisites\",\n children: \"Pre-Requisites\"\n }), \"\\n\", _jsxs(_components.ul, {\n children: [\"\\n\", _jsx(_components.li, {\n children: _jsx(_components.a, {\n href: \"https://docs.suprsend.com/docs/integrate-javascript-sdk\",\n children: \"Integrate JavaScript SDK\"\n })\n }), \"\\n\", _jsxs(_components.li, {\n children: [_jsx(_components.a, {\n href: \"https://docs.suprsend.com/docs/integrate-javascript-sdk#2-authenticate-user\",\n children: \"Identify user on login\"\n }), \" and \", _jsx(_components.a, {\n href: \"https://docs.suprsend.com/docs/integrate-javascript-sdk#3-reset-user\",\n children: \"reset on logout\"\n }), \" to ensure that preference changes are tagged to the correct user\"]\n }), \"\\n\", _jsxs(_components.li, {\n children: [_jsx(_components.a, {\n href: \"/docs/user-preferences#create-notification-category\",\n children: \"Configure notification categories\"\n }), \" on SuprSend dashboard\"]\n }), \"\\n\", _jsx(_components.li, {\n children: _jsx(_components.a, {\n href: \"https://docs.suprsend.com/docs/js-preferences\",\n children: \"Understanding of the preference data structure and methods\"\n })\n }), \"\\n\"]\n }), \"\\n\", _jsx(Heading, {\n level: \"2\",\n id: \"example-implementation\",\n children: \"Example implementation\"\n }), \"\\n\", _jsxs(_components.p, {\n children: [\"GitHub Repository for this example implementation can be found here: (“\", _jsx(_components.a, {\n href: \"https://github.com/suprsend/angular-example\",\n children: \"https://github.com/suprsend/angular-example\"\n }), \"”)\"]\n }), \"\\n\", _jsx(Heading, {\n level: \"2\",\n id: \"integration\",\n children: \"Integration\"\n }), \"\\n\", _jsx(_components.p, {\n children: \"There will be 3 components in example implementation:\"\n }), \"\\n\", _jsxs(_components.ul, {\n children: [\"\\n\", _jsx(_components.li, {\n children: \"preference\"\n }), \"\\n\", _jsx(_components.li, {\n children: \"channel-level-preferences\"\n }), \"\\n\", _jsx(_components.li, {\n children: \"category-level-preferences\"\n }), \"\\n\"]\n }), \"\\n\", _jsx(Heading, {\n level: \"3\",\n id: \"preference-component-setup\",\n children: \"Preference component setup\"\n }), \"\\n\", _jsxs(_components.p, {\n children: [_jsx(_components.strong, {\n children: \"preference\"\n }), \" will be the main component and inside it, there will be a property (preferencesData) that contains full user preference data. Whenever there’s an update we will update the latest preference data in the preferencesData so that component to rerender. We already created \", _jsx(_components.a, {\n href: \"https://github.com/suprsend/angular-example/blob/master/src/app/suprsend.service.ts\",\n children: \"SuprSend service \"\n }), \"to access SuprSend client everywhere in the application which is used to call methods.\"]\n }), \"\\n\", _jsxs(_components.p, {\n children: [\"Call \", _jsx(_components.a, {\n href: \"https://docs.suprsend.com/docs/js-preferences#get-preferences-data\",\n children: \"getPreferences\"\n }), \" method to get the preferences data for the already identified user. This method is used to get full user preferences data from the SuprSend. This method should be called first before any update methods. Calling this method will make an API call and returns a preference response, which you can store in your instance property \", _jsx(_components.strong, {\n children: \"preferenceData\"\n }), \" if there is no error.\"]\n }), \"\\n\", _jsxs(_components.p, {\n children: [_jsx(_components.strong, {\n children: \"Note:\"\n }), \" Category translations work automatically—no additional configuration required. Since the Angular SDK is built on the web SDK, the locale is automatically passed through the underlying web SDK, and all embeddable SDKs in the preference centre inherit this behavior. Category names and descriptions are automatically displayed in the user’s locale.\"]\n }), \"\\n\", _jsxs(_components.p, {\n children: [\"After that we configure 2 \", _jsx(_components.a, {\n href: \"https://docs.suprsend.com/docs/js-preferences#event-listeners\",\n children: \"event listeners\"\n }), \" \", _jsx(_components.code, {\n children: \"preferences_updated\"\n }), \" and \", _jsx(_components.code, {\n children: \"preferences_error\"\n }), \" to listen to updates in preference data and errors.\"]\n }), \"\\n\", _jsxs(_components.p, {\n children: [\"Our Main component \", _jsx(_components.strong, {\n children: \"preference\"\n }), \" has 2 child components one for Category-level preference section and other for Overall Channel-level preference section.\"]\n }), \"\\n\", _jsx(CodeBlock, {\n filename: \"preference.component.ts\",\n numberOfLines: \"30\",\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: \"30\",\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: \"import\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" { \"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"SuprsendService\"\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\": \"#C586C0\"\n },\n children: \"from\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0A3069\",\n \"--shiki-dark\": \"#CE9178\"\n },\n children: \" '../suprsend.service'\"\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\", _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: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \"Component\"\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: \"#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\": \"#C586C0\"\n },\n children: \"export\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \" class\"\n }), _jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#4EC9B0\"\n },\n children: \" PreferenceComponent\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \" implements\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#4EC9B0\"\n },\n children: \" OnInit\"\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: \" preferencesData\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \":\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#4EC9B0\"\n },\n children: \" any\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" =\"\n }), _jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \" null\"\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\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \" constructor\"\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\": \"#569CD6\"\n },\n children: \"private\"\n }), _jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" router\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \":\"\n }), _jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#4EC9B0\"\n },\n children: \" Router\"\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\": \"#569CD6\"\n },\n children: \"private\"\n }), _jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" ssService\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \":\"\n }), _jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#4EC9B0\"\n },\n children: \" SuprsendService\"\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\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \" ngOnInit\"\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: \"#0550AE\",\n \"--shiki-dark\": \"#4EC9B0\"\n },\n children: \" void\"\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: \" // before getting preferences make sure to call identify method\"\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: \" // Translations work automatically - locale is passed by the web SDK automatically\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \" this\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"ssService\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"ssClient\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"user\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"preferences\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \"getPreferences\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"({ \"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"locale:\"\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 }), _jsx(_components.span, {\n style: {\n color: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \"then\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"((\"\n }), _jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"resp\"\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\": \"#569CD6\"\n },\n children: \"=\u003e\"\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\": \"#C586C0\"\n },\n children: \" if\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" (\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"resp\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"status\"\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: \" 'error'\"\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: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" console\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \"log\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"(\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"resp\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"error\"\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: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" } \"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#C586C0\"\n },\n children: \"else\"\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: \"#0550AE\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \" this\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"preferencesData\"\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\": \"#9CDCFE\"\n },\n children: \" resp\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"body\"\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\", _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: \" // listen for update in preferences data\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \" this\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"ssService\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"ssClient\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"emitter\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \"on\"\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: \" 'preferences_updated'\"\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: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" (\"\n }), _jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"preferenceData\"\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\": \"#569CD6\"\n },\n children: \"=\u003e\"\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\": \"#569CD6\"\n },\n children: \"this\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"preferencesData\"\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 }), _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\": \"#9CDCFE\"\n },\n children: \"preferenceData\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"body\"\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: \" // listen for errors\"\n })\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#0550AE\",\n \"--shiki-dark\": \"#569CD6\"\n },\n children: \" this\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"ssService\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"ssClient\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"emitter\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \"on\"\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: \"'preferences_error'\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \", (\"\n }), _jsx(_components.span, {\n style: {\n color: \"#953800\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"error\"\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\": \"#569CD6\"\n },\n children: \"=\u003e\"\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: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" console\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \".\"\n }), _jsx(_components.span, {\n style: {\n color: \"#8250DF\",\n \"--shiki-dark\": \"#DCDCAA\"\n },\n children: \"log\"\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: \"'ERROR:'\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \", \"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"error\"\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\", _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\"]\n })\n })\n }), \"\\n\", _jsx(CodeBlock, {\n filename: \"preference.component.html\",\n numberOfLines: \"11\",\n language: \"typescript\",\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: \"typescript\",\n children: _jsxs(_components.code, {\n language: \"typescript\",\n numberOfLines: \"11\",\n children: [_jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"\u003c\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"p\"\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\": \"#9CDCFE\"\n },\n children: \"ngIf\"\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: \"\\\"!this.preferencesData\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"\u003e\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"Loading\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"...\u003c/\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"p\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"\u003e\"\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: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"\u003c\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"div\"\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\": \"#9CDCFE\"\n },\n children: \"ngIf\"\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: \"\\\"this.preferencesData\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" class\"\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: \"\\\"main-div\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"\u003e\"\n })]\n }), \"\\n\", _jsxs(_components.span, {\n className: \"line\",\n children: [_jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" \u003c\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"h3\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" class\"\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: \"\\\"main-header\\\"\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"\u003e\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"Notification\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" Preferences\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"\u003c/\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \"h3\"\n }), _jsx(_components.span, {\n style: {\n color: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \"\u003e\"\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: \"#CF222E\",\n \"--shiki-dark\": \"#D4D4D4\"\n },\n children: \" \u003c!--\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\"\n },\n children: \" notification\"\n }), _jsx(_components.span, {\n style: {\n color: \"#1F2328\",\n \"--shiki-dark\": \"#9CDCFE\ | 2026-01-13T08:48:11 |
https://dev.to/deved/build-apps-with-google-ai-studio#What-if-I-get-stuck | Build Apps with Google AI Studio - DEV Education Track - 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 DEV Education Tracks > Build Apps with Google AI Studio Build Apps with Google AI Studio Follow Tag View Discussions Learn to turn text prompts into fully functional web applications using Google AI Studio Track Overview The moment is here! We recently announced DEV Education Tracks , our new initiative to bring you structured learning paths directly from industry experts. Today, we're thrilled to launch our very first track in partnership with the team at Google AI . This track will guide you through Google AI Studio's new "Build apps with Gemini" feature, where you can turn a simple text prompt into a fully functional, deployed web application in minutes. A New Way to Learn This inaugural track perfectly exemplifies our goal for DEV Education Tracks: to close the gap between discovering a new technology and building with it confidently. By partnering directly with the Google AI team, we're able to bring you an authoritative, hands-on guide to one of the most exciting new tools in AI development. How to Complete This Track This DEV Education Track is a three-part experience: 1) an expert tutorial followed by 2) a hands-on build and 3) a writing assignment . Work through all three parts and you'll earn the exclusive Google AI Studio Builder badge ! Track Details Skill Level Beginner Earn This Badge Build Apps with Google AI Studio Badge Complete the track to earn this badge Learn More Get additional details and ask questions about the Build Apps with Google AI Studio learning track. View Announcement Learning Partner: Google AI Google AI is at the forefront of artificial intelligence research and development, creating tools and technologies that democratize AI for developers worldwide. Through Google AI Studio, they're making it easier than ever to build intelligent applications. Explore Google AI Studio Learning Curriculum Follow this structured learning path to master the skills 1 📖 Part 1: Follow the Expert Tutorial Start with the comprehensive guide created by the Google AI team to learn how to use Google AI Studio from idea to deployment. Learning Objectives Understand Google AI Studio's app building capabilities Learn how to craft effective prompts for app generation Navigate the deployment process Explore the generated code and understand the structure Getting Started Begin by reading through the expert tutorial created by the Google AI team. This comprehensive guide will walk you through every step of the process, from initial setup to final deployment. Read the Tutorial Module Details Duration 30-45 minutes Difficulty Beginner Prerequisites None - just curiosity about AI development 2 🤖 Part 2: Build Your Own App Put your new skills to the test by building an app that incorporates image generation with the Imagen API. Learning Objectives Apply learned concepts to create your own application Experiment with different prompt strategies Integrate image generation capabilities Deploy a working web application Getting Started After working through the tutorial, your assignment is to use the build feature in Google AI Studio to build an app that incorporates image generation with the Imagen API. We encourage you to come up with your own apps, but here are some ideas if you need inspiration: App Ideas for Inspiration: RPG character portrait generator Fridge-photo based recipe generator On-demand coloring book generator Logo generator for business ideas Share Your Project Module Details Duration 1-3 hours Difficulty Beginner to Intermediate 3 ✏️ Part 3: Earn Community Recognition Share your creation with the DEV community and earn your exclusive Google AI Studio Builder badge. Learning Objectives Document your development process Share learnings with the community Reflect on the experience and key takeaways Contribute to the collective knowledge base Getting Started Use our official submission template to share your assignment and earn your badge! Your submission should include: The prompt you used to generate the app A link to your deployed application Screenshots or demo of your app in action Brief description of your experience and what you learned Our team reviews submissions on a rolling basis with badges awarded every few days. There's no deadline! Share Your Project Module Details Duration 30 minutes Difficulty Beginner Frequently Asked Questions Get answers to common questions about the Build Apps with Google AI Studio track Quick Navigation Frequently Asked Questions Do I need coding experience? What kind of apps can I build? How long does it take to complete the track? Is the track really free? What if I get stuck? Can I modify the generated app? Frequently Asked Questions Do I need coding experience? No! Google AI Studio is designed to be accessible to everyone, regardless of coding background. The AI generates the code for you based on your prompts. What kind of apps can I build? You can build a wide variety of web applications, especially those that benefit from AI capabilities like image generation, text processing, and data analysis. How long does it take to complete the track? Most learners complete the track in 2-4 hours, but you can work at your own pace. There's no deadline! Is the track really free? Yes! The track is completely free. You'll only need a Google account to access Google AI Studio. What if I get stuck? Join our community discussions using the #learngoogleaistudio tag, where you can ask questions and get help from other learners and the Google AI team. Can I modify the generated app? Absolutely! The generated code is yours to customize and extend. Many learners start with the AI-generated base and then add their own features. 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:11 |
https://dev.to/dataframed-podcast/103-how-data-literacy-skills-help-you-succeed | #103 How Data Literacy Skills Help You Succeed - 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 A DataFramed Podcast Follow #103 How Data Literacy Skills Help You Succeed Sep 5 '22 play Data Literacy is increasingly becoming a skill that every role needs to have, regardless of whether their role a data-oriented or not. No one knows this better than Jordan Morrow , who is known as the Godfather of Data Literacy. Jordan is the VP and Head of Data Analytics at Brainstorm, Inc. , and is the author of Be Data Literate: The Skills Everyone Needs to Succeed. Jordan has been a fierce advocate for data literacy throughout his career, including helping the United Nations understand and utilize data literacy effectively. Throughout the episode, we define data literacy, why organizations need data literacy in order to use data properly and drive business impact, how to increase organizational data literacy, and more. This episode od DataFramed is a part of DataCamp’s Data Literacy Month, where we raise awareness for Data Literacy throughout the month of September through webinars, workshops, and resources featuring thought leaders and subject matter experts that can help you build your data literacy, as well as your organization’s. For more information, visit: https://www.datacamp.com/data-literacy-month/for-teams Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:11 |
https://dev.to/dataframed-podcast/110-behind-the-scenes-of-transamericas-data-transformation | #110 Behind the Scenes of Transamerica’s Data Transformation - 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 A DataFramed Podcast Follow #110 Behind the Scenes of Transamerica’s Data Transformation Oct 24 '22 play While securing the support of senior executives is a major hurdle of implementing a data transformation program, it’s often one of the earliest and easiest hurdles to overcome in comparison to the overall program itself. Leading a data transformation program requires thorough planning, organization-wide collaboration, careful execution, robust testing, and so much more. Vanessa Gonzalez is the Senior Director of Data and Analytics for ML & AI at Transamerica . Vanessa has experience in data transformation, leadership, and strategic direction for Data Science and Data Governance teams, and is an experienced senior data manager. Vanessa joins the show to share how she is helping to lead Transamerica’s Data Transformation program. In this episode, we discuss the biggest challenges Transamerica has faced throughout the process, the most important factors to making any large-scale transformation successful, how to collaborate with other departments, how Vanessa structures her team, the key skills data scientists need to be successful, and much more. Check out this month’s events: https://www.datacamp.com/data-driven-organizations-2022 Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:11 |
https://www.spreaker.com/episode/finding-a-job-with-charles-max-wood-aia-404--58841544 | Finding a Job with Charles Max Wood - AIA 404 Discover Your Library Search For Podcasters Your Podcasts Free Our Platform How Spreaker Works Podcasts App Spreaker Create New Prime Network Help { if (!hidden) { $refs.inputMobile.focus(); } }); if (isSearch && !query) { if (window.innerWidth Sign up Login Sign up For Podcasters Your Podcasts Free Settings Light Theme Dark Theme Our Platform How Spreaker Works Podcasts App Spreaker Create New Prime Network Help { if (this.toast) { this.toast = null; } }, timings[this.toast.type]); }, getClassType() { return { 'bg-neutral-700 dark:bg-neutral-100 text-white dark:text-neutral-950': this .toast?.type === 'default', 'bg-sky-700 text-white': this.toast?.type === 'info', 'bg-emerald-700 text-white': this.toast?.type === 'success', 'bg-red-800 text-white': this.toast?.type === 'error', 'bg-orange-400 text-neutral-950': this.toast?.type === 'warning' } } }" x-on:toast.window="showToast($event.detail)" x-show="toast" class="fixed left-0 right-0 z-10 md:left-[250px]" x-transition> Adventures in Angular Transcribed Transcribed Finding a Job with Charles Max Wood - AIA 404 Feb 8, 2024 · 43m 16s Loading Play Pause Add to queue In queue { SP.Utils.setDocumentShouldScroll(!opened); })"> Download Download and listen anywhere Download your favorite episodes and enjoy them, wherever you are! Sign up or log in now to access offline listening. Sign up to download { SP.Utils.setDocumentShouldScroll(!opened); })"> Transcript Finding a Job with Charles Max Wood - AIA 404 This automatic transcript is brought to you by AI technology. This is an automatically generated transcript. Please note that complete accuracy is not guaranteed. Support { SP.Utils.setDocumentShouldScroll(!opened); })"> Embed Embed episode `; }, copyToClipboard() { this.copyStatus = 'DONE'; SP.Utils.copyToClipboard(this.getIframeCode()); setTimeout(() => { this.copyStatus = 'IDLE'; }, 2000); } }"> Dark Light Copy Done Looking to add a personal touch? Explore all the embedding options available in our developer's guide Share on X Share on Facebook Share on Bluesky Share on Whatsapp Share on Telegram Share on LinkedIn Description In this episode of Adventures in Angular, Charles does a solo episode talking about entrepreneurship and the topic/course on “How to Get a Job.” This is an informative episode for... show more In this episode of Adventures in Angular, Charles does a solo episode talking about entrepreneurship and the topic/course on “How to Get a Job.” This is an informative episode for those looking for a job as a developer and how to prepare your resume for your career search. Charles covers the core pieces of the course and specific areas of tailoring your credentials for the job you want to acquire.Sponsors Chuck's Resume Template Raygun - Application Monitoring For Web & Mobile Apps Become a Top 1% Dev with a Top End Devs Membership Links devchat.tv/get-a-coder-job-full-access full-access WeWork Expert Salary Negotiation Advertising Inquiries: https://redcircle.com/brands Privacy & Opt-Out: https://redcircle.com/privacy Become a supporter of this podcast: https://www.spreaker.com/podcast/adventures-in-angular--6102018/support . show less Comments Sign in to leave a comment Information Author Charles M Wood Organization Top End Devs Website topenddevs.com Tags - 🇬🇧 English 🇬🇧 English 🇮🇹 Italiano 🇪🇸 Espanõl 🇬🇧 English 🇬🇧 English 🇮🇹 Italiano 🇪🇸 Espanõl Terms Privacy {e.preventDefault(); showOneTrustPreferenceCenter();}" class="inline-flex items-center gap-2 hover:underline"> Your Privacy Choices Copyright 2026 - Spreaker Inc. an iHeartMedia Company { SP.Utils.setDocumentShouldScroll(!opened); })"> Playing Now Queue Looks like you don't have any active episode Browse Spreaker Catalogue to discover great new content Browse now Current Looks like you don't have any episodes in your queue Browse Spreaker Catalogue to discover great new content Browse now 1" class="mt-6"> Next Up Manage Done svg]:text-white"> Up Up Down Down Remove svg]:text-white"> It's so quiet here... Time to discover new episodes! Discover Your Library Search { SP.Utils.setDocumentShouldScroll(!opened); })"> Unlock Spreaker's full potential Sign up to keep listening, access your Library to pick up episodes right where you left off, and connect with your favorite creators. Experience the ultimate podcast listening on Spreaker! Sign up for free | 2026-01-13T08:48:11 |
https://devblogs.microsoft.com/dotnet/announcing-dotnet-10/ | Announcing .NET 10 - .NET 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 .NET Blog Announcing .NET 10 .NET 10 is here! .NET 10 is now available: the most productive, modern, secure, intelligent, and performant release of .NET yet. Learn More Download Now November 11th, 2025 47 reactions Announcing .NET 10 .NET Team Show more Today, we are excited to announce the launch of .NET 10, the most productive, modern, secure, intelligent, and performant release of .NET yet. It’s the result of another year of effort from thousands of developers around the world. This release includes thousands of performance, security, and functional improvements across the entire .NET stack-from languages and developer tools to workloads-enabling you to build with a unified platform and easily infuse your apps with AI. Important .NET 10 is a Long Term Support (LTS) release and will be supported for three years until November 10, 2028. We strongly recommend that production applications upgrade to .NET 10 to take advantage of the extended support window, significant performance improvements, and new capabilities. Downloads of .NET 10 and updates to Visual Studio 2026 and the C# Dev Kit for Visual Studio Code are available now. Download .NET 10 Get Visual Studio 2026 The .NET team, our partners, and the .NET community are showcasing what’s new in .NET 10 at .NET Conf 2025 . Watch the sessions to see all of the excitement including the keynote . A Thriving .NET Community .NET 10 wouldn’t be possible without our amazing community. Thank you to everyone who contributed issues, pull requests, code reviews, and feedback to make this release happen. The .NET ecosystem continues to flourish with over 478,000 packages on NuGet that have been downloaded over 800 billion times. Thousands of companies worldwide including H&R Block, Geocaching, Chipotle, Fidelity, and many more , along with products and services here at Microsoft like Xbox, Bing, Microsoft Graph, Azure Cosmos DB, Microsoft Exchange, Microsoft Teams, and Microsoft Copilot, trust .NET to build their most critical applications. Unparalleled Performance – Faster Apps, Lower Memory .NET 10 is the fastest .NET yet with improvements across the runtime, workloads, and languages. Stephen Toub’s performance improvements deep dive highlights the latest optimizations. Key improvements: JIT compiler enhancements : Better inlining, method devirtualization, and improved code generation for struct arguments Hardware acceleration : AVX10.2 support for cutting-edge Intel silicon, Arm64 SVE for advanced vectorization with Arm64 write-barrier improvements reducing GC pause times by 8-20% NativeAOT improvements : Smaller, faster ahead-of-time compiled apps Runtime optimizations : Enhanced loop inversion and stack allocation strategies deliver measurable performance gains C# 14 & F# 10 C# 14 and F# 10 deliver powerful language improvements that make your code more concise and expressive. C# continues to be one of the world’s most popular programming languages, ranking in the top 5 in the 2025 GitHub Octoverse report . C# 14 highlights Field-backed properties simplify property declarations by eliminating the need for explicit backing fields. The compiler generates the backing field automatically, making your code cleaner and more maintainable: // Automatic backing field with custom logic public string Name { get => field; set => field = value?.Trim() ?? string.Empty; } Extension properties and methods enable adding members to types you don’t own-including interfaces and static members-making extension types far more powerful. You can now create extension properties that work seamlessly with types throughout your codebase: // Extension properties for any type static class ListExtensions { extension(List<int> @this) { public int Sum => @this.Aggregate(0, (a, b) => a + b); } } Additional C# 14 features: First-class Span<T> conversions : Implicit conversion support for high-performance span operations Null-conditional assignment : ?.= operator for cleaner null-safe assignment code Parameter modifiers in lambdas : Use ref , in , or out parameters without explicit types Collection expression extensions : .._expression_ to params and [.._expression_] spread syntax Enhanced overload resolution : [OverloadResolutionPriority] attribute for better method selection Partial properties and constructors : Complete the partial members story with properties, constructors, and events ref struct interface implementations : Better performance with zero-allocation patterns F# 10 highlights F# 10 is a refinement release focused on clarity, consistency, and performance with meaningful improvements for everyday code. Language improvements: Scoped warning suppression : Use #warnon paired with #nowarn to enable or disable warnings within specific code sections, giving you precise control over compiler diagnostics Access modifiers on auto property accessors : Create publicly readable but privately mutable properties without verbose backing fields ( member val Balance = 0m with public get, private set ) ValueOption optional parameters : Apply [<Struct>] attribute to optional parameters to use struct-based ValueOption<'T> instead of heap-allocated option , eliminating allocations in performance-critical code Tail-call support in computation expressions : Builders can now opt into tail-call optimizations with ReturnFromFinal and YieldFromFinal methods Typed bindings without parentheses : Write natural type annotations like let! x: int = fetchA() in computation expressions without parentheses Core library & performance: and! in task expressions : Concurrently await multiple tasks with idiomatic syntax: let! a = fetchA() and! b = fetchB() Type subsumption cache : Faster compilation and IDE responsiveness through memoized type relationship checks Parallel compilation preview : Graph-based type checking, parallel IL code generation, and parallel optimization enabled by default with LangVersion=Preview Better trimming by default : Auto-generated substitutions remove F# metadata resources for smaller published apps Read more about these features, as well as improvements to computation expression bindings, attribute target enforcement, deprecation warnings for omitted seq , and more in the What’s New in F# 10 documentation . .NET Libraries – Secure, Modern APIs .NET 10 libraries deliver important updates across cryptography, networking, serialization, and more-making apps more secure and efficient. Post-Quantum Cryptography Note Quantum computing advances make post-quantum cryptography increasingly important. .NET 10’s expanded PQC support helps future-proof your applications against quantum threats while maintaining compatibility with existing systems. .NET 10 expands post-quantum cryptography (PQC) support : Windows CNG support : Use ML-DSA and ML-KEM algorithms with Windows cryptography APIs Enhanced ML-DSA : HashML-DSA variant for improved security characteristics Composite ML-DSA : Hybrid approaches combining traditional and quantum-resistant algorithms for defense-in-depth Enhanced Networking Networking improvements make apps faster and more capable: WebSocketStream : Simplified WebSocket API that’s easier to use and more efficient TLS 1.3 on macOS : Modern TLS support across all major platforms Windows process group support : Better process management on Windows Performance optimizations : Reduced allocations and improved throughput across HTTP, sockets, and WebSockets Additional library improvements JSON enhancements : Disallow duplicate properties for safer deserialization, enhanced serialization settings, PipeReader support for high-performance scenarios Cryptography updates : AES KeyWrap with Padding for secure key wrapping in compliance scenarios System updates : Improved diagnostics, better interop with native code, enhanced collections Learn more in What’s new in .NET Libraries . Aspire – Orchestrate front ends, APIs, containers, and databases effortlessly Aspire makes building observable, production-ready distributed apps straightforward with built-in telemetry, service discovery, and cloud integrations. Aspire 13 ships with .NET 10 with major improvements for polyglot development, modern workflows, and enterprise deployment. Key highlights: Modern development experience : CLI enhancements, single-file AppHost support for streamlined project organization, and quicker onboarding with simplified templates Seamless build & deployment : Built-in static file site support for frontend apps, robust deployment parallelization for faster releases, and production-ready container workflows Enterprise-ready infrastructure : Flexible connection strings and certificate trust management that works consistently across your applications Additional features: Simplified AppHost SDK : Set Aspire.AppHost.Sdk as the sole project SDK AddCSharpApp support : New CSharpAppResource and AddCSharpApp alternatives to AddProject Enhanced security : Encoded parameters for sensitive configuration data, customizable resource certificate trust Dashboard improvements : OpenID Connect claims configuration for flexible authentication Working with other platforms: When your .NET applications need to integrate with services written in Python, JavaScript, or other languages, Aspire 13 makes this seamless. You can orchestrate your entire distributed application from your .NET AppHost with comprehensive debugging support, auto-generated Dockerfiles, and unified environment variable patterns across all platforms. Read the full polyglot announcement . Ecosystem growth : Check out the Aspire Community Toolkit and earn the Aspire credential . Learn more in the Aspire documentation . Artificial Intelligence – From Simple Integrations to Multi-Agent Systems .NET makes building AI-powered apps straightforward, from simple integrations to complex multi-agent systems. Companies like H&R Block, Blip, and KPMG use .NET for their AI solutions, and the new Microsoft Copilot is built with .NET. Microsoft Agent Framework – Build Intelligent Multi-Agent Systems The Microsoft Agent Framework simplifies building intelligent, agentic AI systems by combining the best of Semantic Kernel and AutoGen into a unified experience. Whether you’re building a single AI agent or orchestrating multiple agents working together, the framework provides the patterns and infrastructure you need. Create sophisticated AI workflows with minimal code: // Create agents with minimal code AIAgent writer = new ChatClientAgent( chatClient, new ChatClientAgentOptions { Name = "Writer", Instructions = "Write engaging, creative stories." }); // Orchestrate in workflows AIAgent editor = new ChatClientAgent(chatClient, /* ... */); Workflow workflow = AgentWorkflowBuilder.BuildSequential(writer, editor); AIAgent workflowAgent = await workflow.AsAgentAsync(); The framework supports multiple workflow patterns to match your application’s needs: Sequential workflows : Agents execute in a defined order, with each agent’s output feeding into the next Concurrent workflows : Multiple agents work in parallel for faster processing Handoff workflows : Agents dynamically pass control based on context and requirements Group chat : Agents collaborate through conversation to solve complex problems Magentic : A dedicated manager coordinates a team of specialized agents Integrate tools seamlessly, whether they’re simple C# functions or full Model Context Protocol (MCP) servers. The framework is production-ready with built-in support for dependency injection, middleware pipelines, and OpenTelemetry for observability. You can quickly get started with building server hosted agents with Microsoft Agent Framework and ASP.NET Core using the new AI Agent Web API template ( aiagent-webapi ) available in the Microsoft.Agents.AI.ProjectTemplates template package. dotnet new install Microsoft.Agents.AI.ProjectTemplates dotnet new aiagent-webapi -o MyAIAgentWebApi cd MyAIAgentWebApi dotnet run This creates an ASP.NET Core Web API project that hosts your agents and exposes them as standard HTTP endpoints. It includes the Microsoft Agent Framework Dev UI, providing a web-based test harness to validate and visualize agents and workflows through an interactive interface. https://devblogs.microsoft.com/dotnet/wp-content/uploads/sites/10/2025/11/microsoft-agent-framework-dev-ui.webm Microsoft Agent Framework now supports the AG-UI protocol for building rich agent user interfaces. AG-UI is a light-weight event-based protocol for human-agent interactions that makes it easy to build streaming UIs, frontend tool calling, shared state management, and other agentic UI experiences. Check out various AG-UI enabled scenarios with Microsoft Agent Framework using the AG-UI Dojo sample app. Use the new Microsoft.Agents.AI.Hosting.AGUI.AspNetCore package to easily map AG-UI endpoints for your agents. // Map an AG-UI endpoint for the publisher agent at /publisher/ag-ui app.MapAGUI("publisher/ag-ui", publisherAgent) You can then use existing AG-UI client frameworks, like CopilotKit , to quickly build rich user experiences for your agents. Or, use the new .NET AG-UI chat client in the Microsoft.Agents.AI.AGUI package to build your own UI experiences using your favorite .NET UI framework, like .NET MAUI or Blazor. IChatClient aguiChatClient = new AGUIChatClient(httpClient, "publisher/ag-ui); See AG-UI Agents to learn more about getting started with Microsoft Agent Framework and AG-UI. Microsoft.Extensions.AI – Unified Building Blocks for AI Applications Microsoft.Extensions.AI and Microsoft.Extensions.VectorData provide unified abstractions for integrating AI services into your applications. The IChatClient interface works with any provider-OpenAI, Azure OpenAI, GitHub Models, Ollama-through a consistent API, making it easy to switch providers or support multiple backends without rewriting your code. // Use any AI provider with the same interface IChatClient chatClient = new AzureOpenAIClient(endpoint, credential) .AsChatClient("gpt-4o"); var response = await chatClient.CompleteAsync("Explain quantum computing"); Console.WriteLine(response.Message); The unified abstractions support: Provider flexibility : Switch between AI providers without code changes Middleware pipeline : Add caching, logging, or custom behavior to any AI call Dependency injection : Register AI services using familiar .NET patterns Telemetry : Built-in OpenTelemetry support for monitoring AI usage Vector data : Unified abstractions for vector databases and semantic search These building blocks work seamlessly with the Microsoft Agent Framework, Semantic Kernel, and your own AI implementations. Model Context Protocol (MCP) – Extend AI Agents with Tools and Services .NET provides first-class MCP support to extend AI agents with external tools and services. The Model Context Protocol enables AI agents to access data sources, APIs, and tools in a standardized way, making your agents more capable and versatile. Install the .NET AI templates and use the MCP server template to quickly build and publish MCP servers: dotnet new install Microsoft.Extensions.AI.Templates dotnet new mcpserver -n MyMcpServer Once built, publish your MCP server to NuGet for easy consumption across your organization or the broader .NET community. The C# MCP SDK has regular releases to implement the latest protocol updates , ensuring compatibility with the growing MCP ecosystem. MCP enables AI agents to: Access databases and APIs securely Execute commands and workflows Read and modify files Integrate with business systems Use specialized tools and services By standardizing how AI agents interact with external resources, MCP makes it easier to build, share, and compose AI capabilities across the .NET ecosystem. Get started with our AI documentation and AI samples . ASP.NET Core – Secure, High-Performance Web Apps and APIs ASP.NET Core in .NET 10 includes everything you need to build secure, high-performance web applications and APIs. This release focuses on security, observability & diagnostics, performance, and developer productivity, providing more powerful tools for building modern web experiences. Key improvements in this release include: Automatic Memory Pool Eviction : In long-running applications, memory pools can sometimes retain memory that is no longer needed. .NET 10 introduces automatic eviction for memory pools, which helps reduce the memory footprint of your applications by releasing idle memory back to the system. Web Authentication (Passkey) Support : ASP.NET Core Identity now includes support for passkeys, which are based on the WebAuthn and FIDO2 standards. This allows you to build more secure, passwordless authentication experiences. The Blazor Web App project template includes out-of-the-box support for passkey management and login. Native AOT Enhancements : The webapiaot template now includes OpenAPI support by default, and with new AOT-friendly validation, it’s easier to build documented, ahead-of-time compiled APIs. You can opt out with the --no-openapi flag. Blazor – Productive Component-Based Web Development Blazor continues to evolve as a productive framework for building component-based web UIs with C#. .NET 10 brings significant improvements to performance, state management, and the overall developer experience. Component State Persistence: .NET 10 introduces significant enhancements to Blazor’s state management, making it more robust and easier to use, especially in server-side scenarios. Declarative State Persistence : Persisting state during prerendering is now much simpler. Use the [PersistentState] attribute to declaratively mark state that should be preserved. Circuit state persistence : Blazor circuits are now more resilient to network interruptions. Component state is automatically persisted before a circuit is evicted after a prolonged disconnection, so users don’t lose their work. Pause and Resume Circuits : New APIs to “pause” and “resume” circuits enable improved server scalability by freeing up resources for inactive clients Performance and Reliability: Optimized Framework Scripts : The Blazor framework scripts are now delivered as precompressed and fingerprinted static web assets, which improves load performance and ensures proper caching. WebAssembly Preloading : To improve initial load times, Blazor Web Apps now automatically preload framework assets using Link headers. Standalone WebAssembly apps also benefit from high-priority asset downloading. Response Streaming by Default : HttpClient responses are now streamed by default in Blazor WebAssembly apps, which can improve performance and reduce memory usage when handling large responses. Forms and Validation: Improved Form Validation : Blazor’s form validation capabilities have been significantly improved. You can now automatically validate nested objects and collection items using a new source-generator based system that is performant and AOT-compatible. New InputHidden Component : A new component for rendering hidden form fields is now available. Developer Experience: Automated Browser Testing : WebApplicationFactory now supports end-to-end testing with browser automation tools like Playwright, making it easier to write automated UI tests for your web apps. JavaScript Interop Improvements : Interop with JavaScript is now more powerful. You can create instances of JavaScript objects, call their constructors, and directly read or modify their properties using both synchronous and asynchronous APIs. Improved “Not Found” Handling : Blazor provides a better experience for handling 404s. You can now specify a dedicated “Not Found” page in the Router component, and the new NavigationManager.NotFound() method makes it easier to trigger “Not Found” responses from code during server-side rendering or interactive rendering. QuickGrid enhancements : The QuickGrid component now includes a RowClass parameter, allowing you to apply custom CSS classes to rows based on their data. You can also explicitly handle hiding the column options UI. Build Fast, Modern APIs ASP.NET Core is an excellent choice for building fast, modern APIs. .NET 10 introduces better standards compliance, more powerful validation, and an improved developer experience. OpenAPI Improvements: OpenAPI 3.1 Support by Default : ASP.NET Core now generates OpenAPI 3.1 documents, which includes support for the latest JSON Schema draft. This improves the representation of types, such as using an array for nullable types instead of a custom property. XML Comments Integration : The OpenAPI source generator now automatically uses your C# XML comments to populate descriptions, summaries, and other documentation fields in the generated OpenAPI document. YAML OpenAPI Documents : You can now serve OpenAPI documents in YAML format, providing a more human-readable alternative to JSON. Enhanced Response Descriptions : The ProducesResponseType attribute now includes an optional Description parameter, allowing you to provide more context for your API’s responses. Minimal APIs Enhancements: Built-in Validation : You can now enable automatic validation for query, header, and request body parameters by calling AddValidation() . If validation fails, the framework will automatically return a 400 Bad Request response with the validation details. This works with DataAnnotations and supports nested objects and collections. Server-Sent Events (SSE) : A new TypedResults.ServerSentEvents() method makes it easy to stream real-time updates to clients over a single HTTP connection. Customizable Error Responses : You can now integrate your validation logic with IProblemDetailsService to create consistent, customized error responses. Enhanced Observability and Diagnostics .NET 10 introduces significant improvements to observability and diagnostics, making it easier to monitor and troubleshoot your ASP.NET Core applications. New Built-in Metrics : ASP.NET Core now includes a rich set of new metrics for monitoring key components, including Blazor, Authentication & Authorization, Identity, and the new memory pool. Improved Blazor Tracing : Blazor Server tracing has been enhanced to provide more detailed information about circuit activity, making it easier to diagnose issues in real-time. Blazor WebAssembly Diagnostic Tools : New diagnostic tools are available for Blazor WebAssembly applications, allowing you to collect CPU performance profiles, capture memory dumps, and gather runtime metrics. For more details on all the new features, check out the What’s new in ASP.NET Core in .NET 10 documentation. .NET MAUI – Build Native Cross-Platform Apps .NET MAUI is the best way to build native cross-platform apps for iOS, Android, macOS, and Windows with .NET and C#. Platform updates: Android 16 (API 36 & 36.1) bindings with latest platform features iOS 26.0 bindings for latest iOS capabilities Marshal methods enabled : Improved startup performance by default Control enhancements: HybridWebView : New initialization events ( WebViewInitializing , WebViewInitialized ) for platform-specific customization, InvokeJavaScriptAsync overload, and JavaScript exception handling Web request interception : Modify headers, redirect requests, or supply local responses for BlazorWebView and HybridWebView CollectionView/CarouselView : Improved iOS handlers now default MediaPicker : Automatic EXIF handling, multi-file selection with PickMultipleAsync , image compression support SafeArea management : Enhanced to support multiple platforms from the new SafeAreaEdges API Secondary toolbar items : Added for iOS and macOS XAML improvements: .NET MAUI in .NET 10 introduces significant XAML enhancements that streamline development and improve performance: Global and implicit XML namespaces (opt-in): Simplify XAML markup by eliminating repetitive namespace declarations New XAML source generator : Faster build times and better IntelliSense support with compile-time XAML processing With global namespaces, you can declare xmlns references once in a GlobalXmlns.cs file and use types without prefixes throughout your XAML files: Before: <ContentPage xmlns="http://schemas.microsoft.com/dotnet/2021/maui" xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml" xmlns:models="clr-namespace:MyApp.Models" xmlns:controls="clr-namespace:MyApp.Controls" x:Class="MyApp.MainPage"> <controls:TagView x:DataType="models:Tag" /> </ContentPage> After: <ContentPage x:Class="MyApp.MainPage"> <TagView x:DataType="Tag" /> </ContentPage> No need to declare xmlns:models or xmlns:controls because they are declared globally in a GlobalXmlns.cs file. No prefixes required for TagView or Tag . MediaPicker multi-file selection example: var result = await MediaPicker.PickMultipleAsync(new MediaPickerOptions { MaximumWidth = 1024, MaximumHeight = 768 }); Additional highlights: Aspire integration : New project template with telemetry and service discovery Diagnostics : Comprehensive layout performance monitoring with ActivitySource and metrics Quality focus : Continued improvements in reliability and performance Read more in What’s new in .NET MAUI 10 . Entity Framework Core 10 – Advanced Data Access Entity Framework Core 10 brings powerful improvements for data access, including AI-ready vector search, enhanced JSON support, and better complex type handling. Azure SQL and SQL Server: Vector search support : Full support for the new vector data type and VECTOR_DISTANCE() function, enabling AI workloads like semantic search and RAG with SQL Server 2025 and Azure SQL Database JSON data type : Automatic use of SQL Server 2025’s native json type for better performance and safety-query with full LINQ support using JSON_VALUE() and RETURNING clauses Custom default constraint names : Specify names for default constraints or enable automatic naming for all constraints Azure Cosmos DB: Full-text search : Enable efficient text searches with relevance scoring using FullTextContains , FullTextContainsAll , FullTextContainsAny , and FullTextScore functions Hybrid search : Combine vector similarity and full-text search with the RRF (Reciprocal Rank Fusion) function for improved AI search accuracy Vector search GA : Vector similarity search is now production-ready with improved model building APIs and support for owned reference entities Complex Types & JSON: Complex types bring document-modeling benefits with better performance and simpler schemas: Optional complex types : Mark complex types as nullable for more flexible data models JSON mapping : Map complex types to single JSON columns with full LINQ query support and efficient bulk updates via ExecuteUpdate Struct support : Use .NET structs instead of classes for complex types with proper value semantics ExecuteUpdate for JSON : Bulk update JSON column properties efficiently-updates properties in place without loading entire documents // Update Views count in JSON column await context.Blogs.ExecuteUpdateAsync(s => s.SetProperty(b => b.Details.Views, b => b.Details.Views + 1)); LINQ & Query Improvements: Better parameterized collections : New default translation sends each value as a separate parameter with padding to optimize query plan caching while preserving cardinality information LeftJoin and RightJoin support : First-class support for .NET 10’s new LINQ join operators for simpler outer join queries Consistent split query ordering : Fixed data consistency issues in split queries with proper ordering across all SQL statements Additional Highlights: Named query filters : Define multiple query filters per entity type and selectively disable specific filters in queries ExecuteUpdate with regular lambdas : Build dynamic update operations without complex expression tree code Security improvements : Inlined constants are now redacted from logs by default, with analyzer warnings for string concatenation in raw SQL APIs Learn more in What’s New in EF Core 10 . Windows Development – Modern Desktop Apps .NET 10 continues to enhance Windows app development across WinUI 3 , WPF , and WinForms . Highlights: Windows Forms : Improved clipboard handling, ported UITypeEditors from .NET Framework for better migration support WPF : Performance improvements, Fluent style updates, quality enhancements WinUI 3 : Latest Windows App SDK features and improvements See the docs for WinUI 3 , WPF , and WinForms . Developer Tools – Your Most Productive Environment Yet .NET 10 and Visual Studio 2026 deliver a world-class, intelligent development platform that makes you more productive across your entire workflow. Visual Studio 2026 – Enhanced Performance and AI-Powered Development Visual Studio 2026 brings groundbreaking productivity with AI deeply integrated into your development workflow. The Visual Studio 2026 release notes detail the latest features. AI-Powered Development: Adaptive paste : Copilot adapts pasted code to your file’s context-automatically fixing names, formatting, and translating between languages (e.g., C++ to C#) Profiler Copilot Agent : AI assistant that analyzes CPU usage, memory allocations, suggests optimizations, and generates BenchmarkDotNet benchmarks Debugger Agent for unit tests : Automatically debugs failing tests, forms hypotheses, applies fixes, and validates solutions iteratively Code actions at your fingertips : Right-click context menu provides instant Copilot assistance for common tasks (Explain, Optimize, Generate Tests, etc.) Copilot URL context : Reference web documentation directly in Copilot Chat for more accurate responses Productivity Enhancements: Mermaid chart rendering : Visualize flowcharts and diagrams directly in the Markdown editor and Copilot Chat responses Enhanced editor controls : Advanced margin capabilities for maximizing your editing experience File exclusions in search : Better control over which files are included in search results Code coverage for all editions : Dynamic code coverage now available in Professional edition, with tested lines highlighted directly in the editor Debugging & Diagnostics: Inline if-statement evaluation : Debug conditional logic faster with inline values and Copilot insights BenchmarkDotNet project template : Jump-start performance benchmarking with built-in CPU profiling and Copilot insights CodeLens with Optimize Allocations : Right from your editor, ask Copilot to optimize memory-intensive methods Profiler Agent thread summarization : Smart conversation summaries that maintain context when approaching token limits CMake diagnostics : Full support for CPU Usage, Events Viewer, memory usage, and File IO tools in CMake projects Modern Experience: New look and feel : Fluent UI design system with 11 new tinted themes and independent editor appearance settings Modern settings experience : Streamlined, user-friendly settings interface replacing Tools > Options with better organization and reliability SLNX support : Work with the new simplified solution format for cleaner version control with SLNX documentation Performance enhancements : Faster startup, better memory management, and improved overall responsiveness Aspire integration : Seamless support for Aspire projects with specialized tooling and templates GitHub Copilot – Your AI Pair Programmer GitHub Copilot is integrated throughout Visual Studio and VS Code, helping with code writing, testing, and debugging: AI completions for C# : Better context from relevant files Fix code issues : AI-assisted problem resolution Debug tests : Get help with failed test debugging IEnumerable visualizer : AI-powered LINQ expressions Modernize to .NET 10 : Use GitHub Copilot to help upgrade and modernize your existing .NET applications to .NET 10, getting guidance on breaking changes, new APIs, and best practices Tip Upgrading from an earlier version of .NET? Use GitHub Copilot to help modernize your applications to .NET 10. Copilot can guide you through breaking changes, suggest modern API replacements, and help refactor code to take advantage of new language features and performance improvements. C# Dev Kit for Visual Studio Code The C# Dev Kit brings a powerful, streamlined C# development experience to Visual Studio Code. Recent updates include: Solution-less workspace mode : Work without automatic solution file creation for simpler projects SLNX support : Full support for the new XML-based solution format with improved tooling Enhanced Razor editing : Improved IntelliSense, formatting, and code navigation in Blazor and Razor Pages Integrated test coverage : Native support for VS Code’s code coverage UI with visual indicators in the editor Custom project templates : Create projects from third-party and custom dotnet new templates directly in VS Code NuGet package management : Add, update, and remove packages with integrated commands Drag-and-drop file management : Reorganize projects easily within Solution Explorer Aspire support : Run and debug Aspire projects with full orchestration support Learn more in the C# Dev Kit documentation . .NET SDK – Powerful CLI Enhancements The .NET 10 SDK includes powerful CLI enhancements: Microsoft.Testing.Platform support in dotnet test for unified test execution Native tab-completion scripts for popular shells (bash, fish, PowerShell, zsh, nushell) Container images for console apps without requiring Docker files or EnableSdkContainerSupport One-shot tool execution with dotnet tool exec and the new dnx script CLI introspection with --cli-schema for machine-readable command descriptions Platform-specific .NET tools supporting multiple RuntimeIdentifiers with self-contained, trimmed, and AOT options Enhanced file-based apps with publish and native AOT support SLNX solution format : Simplified, XML-based solution files that are human-readable and easier to manage. Learn more about SLNX NuGet – Enhanced Security and Productivity NuGet continues to evolve with security and productivity improvements: Enhanced security : Audit transitive dependencies by default for .NET 10 projects , integration with GitHub Advisory Database , and Dependabot support for automatic security updates MCP support : Publish and consume MCP servers via NuGet New NuGet.org : Fresh design with dark mode Vulnerability remediation : dotnet package update --vulnerable command updates vulnerable packages to first secure version Learn more in the .NET SDK documentation and NuGet package auditing improvements . .NET 10 Long Term Support .NET 10 is a Long Term Support (LTS) release and will be supported for three years , until November 10, 2028. LTS releases receive critical updates and security patches, making .NET 10 the recommended version for production applications that require stability and extended support. .NET follows a predictable annual release cadence with even-numbered LTS releases (3-year support) and odd-numbered Standard Term Support (STS) releases (24-month support). With the recent extension of STS support from 18 to 24 months , both .NET 9 and .NET 8 will reach end of support on November 10, 2026. .NET 10, as an LTS release, will continue to be supported until November 10, 2028. For complete details on the .NET support policy and release schedule, visit the .NET support policy page . Get Started with .NET 10 .NET 10 and Visual Studio 2026 are available now. Get started today: Download .NET 10 Install Visual Studio 2026 Watch .NET Conf Learn more: What’s new in .NET 10 : Runtime , Libraries , SDK What’s new in C# 14 What’s new in F# 10 What’s new in ASP.NET Core What’s new in Aspire AI in .NET What’s new in .NET MAUI What’s new in EF Core Windows App SDK release notes Visual Studio 2026 release notes We can’t wait to see what you build with .NET 10! 47 15 35 Share on Facebook Share on X Share on Linkedin Copy Link --> Category .NET .NET MAUI AI ASP.NET Core Blazor C# F# NuGet Performance Visual Studio Visual Studio Code WinForms WPF Topics .NET 10 Featured featured-post Share Author .NET Team .NET is the free, open-source, cross-platform framework for building modern apps and powerful cloud services. 15 comments Discussion is closed. Login to edit/delete existing comments. Code of Conduct Sort by : Newest Newest Popular Oldest Jan Gähler --> Jan Gähler --> December 2, 2025 2 --> Collapse this comment --> Copy link --> --> --> --> Am I the only one who finds these different version numbers completely confusing? C# 14, .Net 10, Aspire 13, Visual Studio 2026, .Net MAUI 10(?). Rod Macdonald --> Rod Macdonald --> November 19, 2025 0 --> Collapse this comment --> Copy link --> --> --> --> Is it possible to get a fix on the Blazor and Razor templates as they don’t work out of the box (.NET 10 + VS2026). Thank you Daniel Roth --> Daniel Roth --> November 20, 2025 0 --> Collapse this comment --> Copy link --> --> --> --> Hi Rod. Are you still having issues with this? The Blazor and Razor templates should just work. If you’re still hitting problems, please open a Visual Studio Feedback ticket and we’ll take a look. Rod Macdonald --> Rod Macdonald --> November 21, 2025 0 --> Collapse this comment --> Copy link --> --> --> --> Daniel, thank you so much for reaching out, you are a star. I think the issue might have been I installed .NET 10 on launch day ahead of VS 2026, and guess there was some tiny interim fix. Am brewer first, coder v.much second, and as have a big project to kick off (but being the doubting Scot), reverted back to VS 2022 and .NET 9. All is fine on reinstalling and I thank you for your assurance. Finally would say am not so interested in AI but more looking forward to the day when XAML embraces HTML for a... Read more Daniel, thank you so much for reaching out, you are a star. I think the issue might have been I installed .NET 10 on launch day ahead of VS 2026, and guess there was some tiny interim fix. Am brewer first, coder v.much second, and as have a big project to kick off (but being the doubting Scot), reverted back to VS 2022 and .NET 9. All is fine on reinstalling and I thank you for your assurance. Finally would say am not so interested in AI but more looking forward to the day when XAML embraces HTML for a ‘ubiquitous UI developer experience’ (zero project choice dilemmas), and MS write a C# to JS transpiler to offer a 4th project type for the web aside from WASM. THANKS TO YOU AND ALL THE AMAZING TEAM IN BLAZOR, .NET AND VS. Read less S.Majumder --> S.Majumder --> November 15, 2025 1 --> Collapse this comment --> Copy link --> --> --> --> The .NET 10 finally. Cheers for the engineers, developers and the whole .NET Team. The decade of the .NET version. Vladimir Shchur --> Vladimir Shchur --> November 13, 2025 1 --> Collapse this comment --> Copy link --> --> --> --> It’s a pleasure to see F# on the main page this year, alongside C#, thanks! Lorin Morar --> Lorin Morar --> November 13, 2025 0 --> Collapse this comment --> Copy link --> --> --> --> .Net 10 is really awesome and so much faster! Great job! I downloaded VS 2026, but debug on Android is soo much slower than VS 2022. Will VS 2022 fully support .Net 10? Herb Fickes --> Herb Fickes --> November 12, 2025 3 --> Collapse this comment --> Copy link --> --> --> --> Please get the Office team to use .Net 10 for VSTO (Visual Studio Tools for Office) We’re stuck using .Net Framework 4.8 because they haven’t ported to a modern, faster system. Nathan Berkowitz --> Nathan Berkowitz --> November 13, 2025 1 --> Collapse this comment --> Copy link --> --> --> --> Agree. VSTO for .NET is needed! Alireza Haghshenas --> Alireza Haghshenas --> November 12, 2025 0 --> Collapse this comment --> Copy link --> --> --> --> Kudos to all the teams for this release. I truly hope we get union types and a way to propagate error result (like the one in rust) in the next c# release. As someone working with multiple languages, I’m fairly confident these two would have the largest impact on how clean c# codebases would become. Dan Grillo --> Dan Grillo --> November 12, 2025 0 --> Collapse this comment --> Copy link --> --> --> --> So if you’re using Visual Studio, you can only use VS 2026 to target .net 10. But VS 2026 doesn’t really have a release yet besides the “insiders release”? Sounds odd. Jan Janoušek --> Jan Janoušek --> November 12, 2025 2 --> Collapse this comment --> Copy link --> --> --> --> VS 2026 was released together with .NET 10. The only issue is with the design of the download page, which really gives the impression that only the Insider version is available. In reality, however, the final build can be downloaded. Kevin Trace --> Kevin Trace --> November 12, 2025 0 --> Collapse this comment --> Copy link --> --> --> --> Amazing work! The WebSocketStream sounds awesome. Is this available in a nuget package so we can use this in client side applications that are not .NET 10? Amadeusz Sadowski --> Amadeusz Sadowski --> November 12, 2025 0 --> Collapse this comment --> Copy link --> --> --> --> “Aspire credential” link in the Aspire section leads to https://learn.microsoft.com/en-us/credentials/applied-skills/build-distributed-apps-with-dotnet-aspire/ which has a pretty banner saying this “Warning: This Applied Skill assessment has been retired.” I couldn’t find any other Aspire credential. Is this one still recommended? Load more comments Read next November 17, 2025 Introducing F# 10 Adam Boniecki November 17, 2025 Introducing C# 14 Bill Wagner 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 .NET 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:11 |
https://dev.to/dataframed-podcast/gpt-3-and-our-ai-powered-future | GPT-3 and our AI-Powered Future - 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 A DataFramed Podcast Follow GPT-3 and our AI-Powered Future Jul 18 '22 play In 2020, OpenAI launched GPT-3, a large language AI model that is demonstrating the potential to radically change how we interact with software, and open up a completely new paradigm for cognitive software applications. Today’s episode features Sandra Kublik and Shubham Saboo, authors of GPT-3: Building Innovative NLP Products Using Large Language Models . We discuss what makes GPT-3 unique, transformative use-cases it has ushered in, the technology powering GPT-3, its risks and limitations, whether scaling models is the path to “Artificial General Intelligence”, and more. Announcement For the next seven days, DataCamp Premium and DataCamp for Teams are free . Gain free access by following going here . Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss 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 — 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:11 |
https://unjs.io/packages/unplugin | unplugin · Packages · UnJS UnJS Packages Blog Relations 49.2k unplugin Unified plugin system for Vite, Rollup, webpack, esbuild, and more Unified plugin system for build tools. Currently supports: Vite Rollup Webpack esbuild Rspack (⚠️ experimental) Rolldown (⚠️ experimental) Farm And every framework built on top of them. Documentations Learn more on the Documentation License MIT License © 2021-PRESENT Nuxt Contrib Documentation Stars 2.7k Monthly Downloads 22.3m GitHub GitHub View source Report an issue Resources Resources Explore Relations Discover on npm UnJS Unlock the potential of your web development journey with UnJS - where innovation meets simplicity, and possibilities become limitless. Community Contribute Discussions Contact us Content Search UnJS Website Design Kit GitHub © 2023 UnJS Team . Website is licensed under CC BY-NC-SA 4.0 | 2026-01-13T08:48:11 |
https://dev.to/devteam/congratulations-to-the-winner-of-the-bright-data-real-time-ai-agents-challenge-h92 | Congratulations to the winner of the Bright Data Real-Time AI Agents 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 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 dev.to staff for The DEV Team Posted on Jun 10, 2025 Congratulations to the winner of the Bright Data Real-Time AI Agents Challenge! # devchallenge # brightdatachallenge # ai # webdev The results are in! We’re thrilled to announce the much-anticipated winner of the Bright Data Real-Time AI Agents Challenge . Participants combined the power of Bright Data with the intelligence of an LLM to create agents that thrive on live, ever-changing data — whether reporting on local disruptions or analyzing social profiles, your creativity brought these ideas to life in brilliant ways. With so many outstanding submissions, choosing just one winner was incredibly difficult. Whether or not you win, we hope you're proud of what you accomplished! 🏆 Congratulations to... Reputato by @olgabraginskaya "Not every company is golden. We sniff out the ones that are." A light-hearted agent for a serious topic: understanding a company's reputation before applying for jobs or making business decisions. Reputato is an OSINT-style AI agent that helps users research companies by gathering real-time data from multiple sources including LinkedIn, Glassdoor, Crunchbase, and news outlets to reveal what's really happening behind the corporate facade. 🥔 Reputato: Not Every Company Is Golden. We Sniff Out the Ones That Are. Olga Braginskaya ・ May 16 #devchallenge #brightdatachallenge #ai #webdata You can spot red flags or green lights with Reputato's simple 1-5 potato rating system! Our winner will receive $3,000, an exclusive DEV badge, and a DEV++ membership ! All participants will receive a completion badge. Our Sponsor A huge thank you to Bright Data for supporting this challenge and enabling developers to turn web data into intelligent action. What’s next? We're always launching new challenges - be sure to follow the tag so you don't miss them: # devchallenge Follow This is the official tag for submissions and announcements related to DEV Challenges. Thank you again to everyone who participated! We hope you had fun, felt challenged, and maybe added a thing or two to your professional profile. Interested in being a volunteer judge for future challenges? Learn more here ! Top comments (7) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Olga Braginskaya Olga Braginskaya Olga Braginskaya Follow Oh That Data Girl Anti-Bullshit Enthusiast. Data engineer with a systems mindset, mildly owned by cats. Writing what I wish someone had written earlier. Pronouns she/her Work Senior Data Engineer Joined Mar 22, 2023 • Jun 10 '25 Dropdown menu Copy link Hide I've never won anything in my life - this is a first and I still can't believe it. Huge thanks to the DEV team and Bright Data for such a fun and inspiring challenge ❤️. Reputato was built straight from the heart (and a bit of sarcasm). Like comment: Like comment: 16 likes Like Comment button Reply Collapse Expand Jess Lee The DEV Team Jess Lee The DEV Team Jess Lee Follow Building DEV and Forem with everyone here. Interested in the future. Email jess@forem.com Location USA / TAIWAN Pronouns she/they Work Co-Founder & COO at Forem Joined Jul 29, 2016 • Jun 10 '25 Dropdown menu Copy link Hide 👏 👏 👏 @olgabraginskaya Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nizzad Nizzad Nizzad Follow Data Scientist / AWS Certified (2X) ML Specialist | AWS ABW Grant Recipient '24 | 2 (Masters + Bachelors) | Researcher - NLP (Bias & Fairness) | Attorney-at-Law | Supervised 100+ Location Abu Dhabi, United Arab Emirates Education BIT (UOM), MSc in IT (SLIIT), MBA (SEUSL), LL.B (OUSL), Attorney-at-Law Pronouns He/Him Work Data Scientist, AI Engineer, Machine Learning Engineer, Research Supervisor Joined Jan 9, 2025 • Jun 12 '25 Dropdown menu Copy link Hide Congratulations Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Raziel Rodrigues Raziel Rodrigues Raziel Rodrigues Follow Useful technical articles and thoughts about everything Email raziel.rodrigues@outlook.pt Location Brazilian living in Portugal Joined Jun 15, 2023 • Jun 10 '25 Dropdown menu Copy link Hide Congratulations, Olga! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Mahmoud Harmouch Mahmoud Harmouch Mahmoud Harmouch Follow Stay humble like a bumblebee 🐝. Email oss@wiseai.dev Location Ferris Cosmos 🌌 Education Diploma in Rust Pronouns he/him Work Freelance Rust Engineer Joined Mar 9, 2022 • Jun 10 '25 Dropdown menu Copy link Hide Nice, congrats! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Oseni Ayomide Daniel Oseni Ayomide Daniel Oseni Ayomide Daniel Follow Building Innovative Solutions Joined May 23, 2025 • Jun 15 '25 Dropdown menu Copy link Hide Congrats Olga Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand utestwalter utestwalter utestwalter Follow Hi, I am AI enthusiast and science explorer. Welcome! Joined Jun 10, 2025 • Jun 10 '25 Dropdown menu Copy link Hide Congratulations, Olga! Like comment: Like comment: 1 like Like Comment button Reply Some comments may only be visible to logged-in visitors. Sign in to view all 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 The DEV Team Follow The hardworking team behind DEV ❤️ Want to contribute to open source and help make the DEV community stronger? The code that powers DEV is called Forem and is freely available on GitHub. You're welcome to jump in! Contribute to Forem More from The DEV Team Congrats to the AI Agents Intensive Course Writing Challenge Winners! # googleaichallenge # devchallenge # ai # agents Join the Algolia Agent Studio Challenge: $3,000 in Prizes! # algoliachallenge # devchallenge # agents # webdev Congrats to the Xano AI-Powered Backend Challenge Winners! # xanochallenge # backend # api # ai 💎 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:11 |
https://dev.to/kawano_aiyuki/i-debug-code-like-i-debug-life-spoiler-both-throw-exceptions-e69#debugging-is-just-asking-better-questions | I Debug Code Like I Debug Life (Spoiler: Both Throw Exceptions) - 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 Alyssa Posted on Jan 13 I Debug Code Like I Debug Life (Spoiler: Both Throw Exceptions) # discuss # career # programming # beginners Being a software developer is a lot like being human. Being a woman software developer is like being human with extra edge cases. I write code for a living. Sometimes I write bugs professionally. And occasionally, I write code that works on the first run — which is deeply suspicious and should be reviewed by science. The Compiler Is Honest. People Are Not. One thing I love about code: If it doesn’t like you, it tells you immediately. If you’re wrong, it throws an error. If you forget a semicolon, it remembers forever. Life, on the other hand, waits three years and then says: “Hey… remember that decision you made? Yeah. About that.” Enter fullscreen mode Exit fullscreen mode In programming, we call this technical debt. In life, we call it experience. As a Woman in Tech, I Learned Early About “Undefined Behavior” There are two kinds of bugs: The ones you expect. The ones that happen because the environment is… creative. Sometimes I walk into a meeting and: I’m the only woman. I’m also the backend. And somehow still expected to fix frontend CSS. This is not imposter syndrome. This is runtime context awareness. My Brain Runs on TODO Comments My mind is basically: // TODO: fix sleep schedule // TODO: refactor life choices // TODO: stop overthinking edge cases Every time I say “I’ll do it later,” a TODO comment is silently added to my soul. And just like in real projects: Some TODOs become features. Some become bugs. Some live forever and scare new contributors. Debugging Is Just Asking Better Questions People think debugging is about being smart. It’s not. It’s about asking questions like: “What did I assume?” “What did I change?” “Why does this work only on my machine?” “Why does it stop working when someone is watching?” Honestly, debugging taught me emotional intelligence: Don’t panic. Observe. Reduce the problem. Remove assumptions. Take breaks before you delete everything. Humor Is My Favorite Framework Tech moves fast. Trends change. Frameworks come and go. But humor? Zero dependencies. Backward compatible. Works across teams. Excellent for handling production incidents at 3 AM. When the server is down and everyone is stressed, sometimes the most senior move is saying: “Okay. This is bad. But also… kinda funny.” Enter fullscreen mode Exit fullscreen mode Then you fix it. Obviously. Confidence Is a Skill, Not a Setting I didn’t wake up confident. I compiled it over time. Confidence came from: Breaking things. Fixing them. Asking “stupid” questions. Shipping anyway. Learning that perfection doesn’t deploy. The best developers I know aren’t fearless. They just commit despite the warnings. Final Build: Still Experimental I’m still learning. Still refactoring. Still discovering bugs in old logic. But I ship. I learn. I laugh. I write code. And I’m very comfortable saying: “I don’t know yet — but I will.” Enter fullscreen mode Exit fullscreen mode If you’re a developer reading this: Your bugs don’t define you. Your errors are data. Your weird brain is probably a feature. And if today feels broken… Try restarting. With coffee ☕ And maybe fewer assumptions. Thanks for reading. If this resonated, you’re probably running the same version of reality as me. Top comments (8) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand Art light Art light Art light Follow Trust yourself🌞your capabilities are your true power. ❤Telegram - ✔lighthouse4661 ❤Discord - ✔lighthouse4661 Email art.miclight@gmail.com Pronouns He/him Work CTO Joined Nov 21, 2025 • Jan 13 Dropdown menu Copy link Hide This is such a sharp, thoughtful piece — witty, honest, and deeply relatable, especially the way you blend debugging with real-life growth. Your humor and clarity turn real experience into insight, and it’s genuinely inspiring to read.😉 Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Alyssa Alyssa Alyssa Follow Designer, developer, & entrepreneur. Founder of Screenity + other ventures. Best woman maker of 2018 (Maker Mag) & nominated as Maker of The Year (Product Hunt) ✅Discord 🌟alyssa945 Location UK Education Bachelor’s Degree in Computer Science Pronouns She/her Work CPO Joined Dec 4, 2025 • Jan 13 Dropdown menu Copy link Hide Thanks💛I'm really glad it resonated with you and made you smile. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Art light Art light Art light Follow Trust yourself🌞your capabilities are your true power. ❤Telegram - ✔lighthouse4661 ❤Discord - ✔lighthouse4661 Email art.miclight@gmail.com Pronouns He/him Work CTO Joined Nov 21, 2025 • Jan 13 Dropdown menu Copy link Hide Good!😎 Like comment: Like comment: 2 likes Like Thread Thread Alyssa Alyssa Alyssa Follow Designer, developer, & entrepreneur. Founder of Screenity + other ventures. Best woman maker of 2018 (Maker Mag) & nominated as Maker of The Year (Product Hunt) ✅Discord 🌟alyssa945 Location UK Education Bachelor’s Degree in Computer Science Pronouns She/her Work CPO Joined Dec 4, 2025 • Jan 13 Dropdown menu Copy link Hide Thanks. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand darkbranchcore darkbranchcore darkbranchcore Follow Joined Dec 28, 2025 • Jan 13 Dropdown menu Copy link Hide Such a great read—smart, funny, and painfully relatable in the best way. I love how you turned real dev struggles into something empowering and human. That takes real confidence 👏 Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Alyssa Alyssa Alyssa Follow Hi there! I am Alyssa. ❤I can see success in my mind's eye🌞 Email Location UK Joined Dec 4, 2025 • Jan 13 Dropdown menu Copy link Hide Thank you so much! 💙 That really means a lot to me—turning those struggles into something empowering was exactly the goal. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Hadil Ben Abdallah Hadil Ben Abdallah Hadil Ben Abdallah Follow Software Engineer • Technical Content Writer • LinkedIn Content Creator Email hadilbenabdallah111@gmail.com Location Tunisia Education ENET'COM Pronouns she/her Work Content Writer & Social Media Manager Joined Nov 13, 2023 • Jan 13 Dropdown menu Copy link Hide This was such a refreshing read. The way you map debugging principles to real life is not just funny, it’s surprisingly insightful 😄 Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Alyssa Alyssa Alyssa Follow Designer, developer, & entrepreneur. Founder of Screenity + other ventures. Best woman maker of 2018 (Maker Mag) & nominated as Maker of The Year (Product Hunt) ✅Discord 🌟alyssa945 Location UK Education Bachelor’s Degree in Computer Science Pronouns She/her Work CPO Joined Dec 4, 2025 • Jan 13 Dropdown menu Copy link Hide Thank you! I love how you picked up on that—turning coding chaos into life lessons is exactly the kind of perspective that makes tech both fun and relatable 😄 Keep sharing these gems! 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 Alyssa Follow Designer, developer, & entrepreneur. Founder of Screenity + other ventures. Best woman maker of 2018 (Maker Mag) & nominated as Maker of The Year (Product Hunt) ✅Discord 🌟alyssa945 Location UK Education Bachelor’s Degree in Computer Science Pronouns She/her Work CPO Joined Dec 4, 2025 Trending on DEV Community Hot What makes a good tech Meet-up? # discuss # community # a11y # meet What was your win this week??? # weeklyretro # discuss 🧗♂️Beginner-Friendly Guide 'Max Dot Product of Two Subsequences' – LeetCode 1458 (C++, Python, JavaScript) # programming # cpp # python # 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:11 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.