url
stringlengths
11
2.25k
text
stringlengths
88
50k
ts
timestamp[s]date
2026-01-13 08:47:33
2026-01-13 09:30:40
https://www.fine.dev/blog/integrate-ai-technical-guide#conclusion
How to Integrate AI into Your Startup: A Technical Guide for CTOs Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Integrate AI into Your Startup: A Technical Guide for CTOs Table of Contents Define the Use Case for AI Choose Your AI Model Wisely Access and Integrate APIs Consider Latency and Cost for AI Integration Model Customization and Fine-Tuning for AI Infrastructure Considerations for AI Deployment Testing and Monitoring AI Systems Performance Optimization for AI Integration Ensure a Smooth User Experience with AI Leveraging LiteLLM for Seamless AI Integration Potential Challenges and Solutions in AI Integration Conclusion Integrating artificial intelligence into a startup's offerings is a transformative endeavor that enhances user experience and drives innovation. For CTOs aspiring to embed AI-powered features into their products, this guide provides a comprehensive overview of the technical aspects involved in integrating advanced language models such as OpenAI's GPT-4, Anthropic's Claude, and other leading large language models (LLMs). This document will help you navigate the complexities of incorporating AI, ensuring a successful and technically sound transition. 1. Define the Use Case for AI Before embarking on AI integration, it is essential to precisely define the problem that AI will address for your users. Will AI enhance customer support, summarize complex data, or add conversational capabilities? The specific use case will dictate the appropriate AI architecture and integration strategy. For instance, automating customer support might require real-time natural language understanding and response generation, whereas document analysis could involve batch processing and data summarization. Establishing these requirements upfront helps identify the optimal LLM, the necessary tuning, and the appropriate integration model. While anyone can create a chatbot using Retrieval-Augmented Generation (RAG), the distinction lies in how effectively your AI solution addresses genuine user challenges. A sophisticated AI-driven solution, like Fine’s approach, surpasses basic RAG implementations through advanced model fine-tuning, context-aware management, and a comprehensive integration workflow. This ensures that the AI-generated solutions are accurate, pertinent, and aligned with user needs, thereby delivering actionable insights that enhance user productivity and reduce friction. 2. Choose Your AI Model Wisely Selecting an appropriate large language model (LLM) is paramount for the successful integration of AI capabilities. Different LLMs exhibit distinct strengths: OpenAI's GPT-4 is renowned for its versatility, capable of executing complex tasks such as coding assistance, creative content generation, and language translation. This flexibility makes GPT-4 suitable for a wide range of applications. Anthropic's Claude emphasizes safety and controllability, making it a preferred choice for scenarios demanding rigorous risk mitigation, such as minimizing toxic or biased outputs. Cohere, Mistral, and Llama provide specialized models that excel in domains like multilingual support and cost-effective deployment. The selection of an AI model should align with your application's priorities—whether those are accuracy, safety, efficiency, or a combination of these factors. Real-time applications may benefit from models optimized for responsiveness, whereas batch processing tasks might prioritize throughput efficiency. 3. Access and Integrate APIs Most prominent LLMs offer APIs that facilitate straightforward integration, which is crucial for effective AI deployment. Below is a detailed guide on how to integrate these models, including practical code examples. Set up API Access : Obtain API keys from your preferred LLM provider. Providers like OpenAI and Anthropic offer detailed documentation to guide you through the setup of API access and configuration of usage limits. Python Example : import openai openai.api_key = 'YOUR_OPENAI_API_KEY' response = openai.Completion.create( engine="text-davinci-003", prompt="How do I integrate AI into my startup?", max_tokens=150 ) print(response.choices[0].text) Node.js Example : const { Configuration, OpenAIApi } = require("openai"); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); async function getResponse() { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: "How do I integrate AI into my startup?", max_tokens: 150, }); console.log(response.data.choices[0].text); } getResponse(); Backend Integration : Employ server-side languages like Python, Node.js, or Go to make API requests. Build a middleware layer that manages API requests, processes responses, and handles errors effectively. This middleware should ensure robustness in the face of API downtime and rate limitations. Python Middleware Example : from flask import Flask, request, jsonify import openai app = Flask(__name__) openai.api_key = 'YOUR_OPENAI_API_KEY' @app.route('/ask', methods=['POST']) def ask(): prompt = request.json.get("prompt") try: response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return jsonify(response.choices[0].text) except Exception as e: return jsonify({"error": str(e)}), 500 if __name__ == '__main__': app.run(debug=True) Node.js Middleware Example : const express = require('express'); const { Configuration, OpenAIApi } = require("openai"); const app = express(); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); app.use(express.json()); app.post('/ask', async (req, res) => { const prompt = req.body.prompt; try { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: prompt, max_tokens: 150, }); res.json(response.data.choices[0].text); } catch (error) { res.status(500).json({ error: error.message }); } }); app.listen(3000, () => { console.log('Server is running on port 3000'); }); Optimize API Requests : To manage costs and improve response times, limit the data sent to the LLM by focusing on critical information. For complex queries, implement pre-processing (e.g., data summarization) and post-processing to enhance usability while minimizing the data payload. Python Example for Pre-processing : def preprocess_data(data): # Simplify data before sending to LLM return data[:500] # Example: trimming data to the first 500 characters prompt = preprocess_data(user_input) response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) 4. Consider Latency and Cost for AI Integration The costs associated with API usage can escalate rapidly as your application scales. To mitigate these costs while maintaining optimal AI performance, consider the following strategies: Cache Responses : Implement caching for frequently requested responses to minimize redundant API calls. Optimize Context Windows : Large context windows can be beneficial for understanding but come with increased costs. Focus on sending only necessary context to reduce expenses. Utilize Hybrid Models : Combine smaller, open-source models (e.g., Llama 2) for low-stakes interactions with high-accuracy models (e.g., GPT-4) for critical tasks. This hybrid approach helps manage costs while retaining key AI functionalities. 5. Model Customization and Fine-Tuning for AI Pre-trained LLMs are powerful but may require customization to meet specific domain needs effectively. Prompt Engineering : Carefully crafted prompts can often yield the desired output without necessitating model fine-tuning. Experiment with different prompt formats, including few-shot prompting, to guide the model effectively. Fine-Tuning : In cases where deeper domain expertise is necessary, consider fine-tuning the model. OpenAI, among others, offers fine-tuning options. Ensure that you use well-curated datasets to avoid introducing biases during this process. 6. Infrastructure Considerations for AI Deployment AI integration requires robust infrastructure modifications beyond simple API access: Scalability : LLMs can be resource-intensive. Design server infrastructure capable of handling increased traffic and added latency, particularly during peak demand. Data Privacy : Data passing through third-party AI models presents privacy risks. Anonymize user data and implement compliance measures in alignment with relevant data policies and regulations. Edge Deployment : For applications requiring minimal latency, such as IoT, consider deploying lightweight models on edge devices while leveraging cloud-based LLMs for more demanding processing. 7. Testing and Monitoring AI Systems AI systems are dynamic and behave differently from traditional software systems. Rigorous Testing : Test the AI model against edge cases and simulate diverse scenarios to identify potential failure modes. Human-in-the-loop : In high-stakes environments, incorporate mechanisms for human oversight to ensure AI outputs meet quality standards. User feedback should be continuously leveraged to refine model behavior. Continuous Monitoring : Track key metrics such as response latency, error rates, and user satisfaction to ensure ongoing performance optimization. 8. Performance Optimization for AI Integration Effective AI integration demands careful performance tuning to ensure scalability and responsiveness. Asynchronous Processing : Use asynchronous calls to avoid blocking application threads while waiting for LLM responses. This approach allows concurrent task handling, improving overall efficiency. Python Example (Asynchronous) : import openai import asyncio async def get_response(prompt): response = await openai.Completion.acreate( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return response.choices[0].text loop = asyncio.get_event_loop() prompt = "How can asynchronous processing improve AI performance?" response_text = loop.run_until_complete(get_response(prompt)) print(response_text) Load Balancing : Use load balancers to distribute incoming API requests across multiple servers, preventing any single server from becoming overwhelmed, particularly during periods of high demand. Node.js Example with Load Balancer : Use Nginx as a load balancer to manage and distribute traffic. upstream openai_backend { server server1.example.com; server server2.example.com; } server { listen 80; location /ask { proxy_pass http://openai_backend; } } Containerization with Docker : Docker containers help maintain consistent deployment environments, ensuring easy scaling. Use Kubernetes for orchestrating multiple containers, thereby achieving high availability. Dockerfile Example : # Use an official Python runtime as a parent image FROM python:3.9-slim # Set the working directory in the container WORKDIR /app # Copy the current directory contents into the container at /app COPY . /app # Install any needed packages specified in requirements.txt RUN pip install --no-cache-dir -r requirements.txt # Make port 80 available to the world outside this container EXPOSE 80 # Define environment variable ENV NAME World # Run app.py when the container launches CMD ["python", "app.py"] Kubernetes Deployment Example : apiVersion: apps/v1 kind: Deployment metadata: name: openai-app-deployment spec: replicas: 3 selector: matchLabels: app: openai-app template: metadata: labels: app: openai-app spec: containers: - name: openai-app image: openai-app-image:latest ports: - containerPort: 80 9. Ensure a Smooth User Experience with AI Finally, it’s critical to think about how users will interact with the AI feature. Transparency : Let users know when they’re interacting with an AI model and what its limitations are. This transparency builds trust. Fail Gracefully : In case of a failed API call or confusing AI response, have a fallback ready—such as a templated response or escalation to human support. This ensures the AI adds value rather than creating frustration. 10. Leveraging LiteLLM for Seamless AI Integration For startups looking to efficiently integrate and manage multiple LLMs, LiteLLM offers a powerful framework that simplifies the AI integration process. Here’s how LiteLLM can help: Unified API Access : LiteLLM provides a consistent interface to interact with over 100 LLMs, including those from OpenAI, Anthropic, Hugging Face, and Azure. This simplifies switching between different AI models without altering your codebase, allowing you to be flexible and agile in your AI strategy. Proxy Server (LLM Gateway) : LiteLLM’s proxy server acts as a gateway for centralized AI management. It allows teams to monitor usage, implement guardrails, and customize logging and caching across projects, providing a comprehensive control layer that ensures both security and consistency. Python SDK : The LiteLLM Python SDK helps developers integrate AI functionalities directly into their applications with ease. It standardizes input and output formats, supports retry and fallback mechanisms, and ensures seamless integration with multiple LLM providers. Cost Tracking and Budgeting : LiteLLM enables startups to monitor and manage AI expenditures by tracking usage and setting budgets per project. This feature helps maintain cost efficiency, especially as your AI applications scale. Observability and Logging : With support for tools like Langfuse, Helicone, and PromptLayer, LiteLLM ensures you have comprehensive observability over your AI interactions. This makes debugging easier and helps you track performance metrics to continuously refine your AI integration. Streaming and Asynchronous Support : LiteLLM supports streaming responses and asynchronous operations, which is crucial for real-time AI applications that require high responsiveness. By leveraging LiteLLM, you can simplify the integration of AI capabilities, enhance scalability, and maintain cost-efficiency, making it an excellent choice for startups aiming to incorporate multiple LLMs into their tech stack. 11. Potential Challenges and Solutions in AI Integration Integrating AI into your startup comes with challenges. Here are some common pitfalls and strategies for overcoming them: Common AI Pitfalls Data Privacy Concerns : User data may be exposed during LLM interactions, creating privacy risks. Solution : Implement data anonymization techniques to strip out personally identifiable information (PII) before sending it to third-party AI models. Use encryption for data in transit and consider local processing where possible to limit exposure. Model Bias : AI LLMs can exhibit biases based on the data they were trained on, which may result in unintended consequences in your application. Solution : Conduct regular audits of model outputs to identify biases. Fine-tune AI models using curated datasets that reflect your users' diversity and values. Introduce human-in-the-loop systems to flag and correct problematic outputs. Scalability Issues : As your startup scales, increased API requests can lead to performance bottlenecks. Solution : Implement load balancing and use a combination of asynchronous processing and containerized deployments (e.g., Docker and Kubernetes) to ensure your infrastructure can scale efficiently with growing demand. Risk Management in AI Integration Model Failures : AI models can fail unpredictably, providing incorrect or incomplete responses. Solution : Use fallback strategies—if the AI model fails, implement default responses or escalate to human support. This ensures continuity in service and maintains user satisfaction. Maintaining Uptime : Relying on external LLM APIs can lead to outages that affect your product. Solution : Use redundant AI APIs from multiple providers. Incorporate a caching layer to serve responses for common queries even if the API is down. Compliance with Data Protection Regulations : Handling user data comes with legal responsibilities, including compliance with regulations like GDPR or CCPA. Solution : Work with legal experts to understand the specific data handling requirements in your region. Implement user consent mechanisms, anonymize data, and maintain a data retention policy that aligns with regulatory guidelines. Conclusion Integrating AI into your startup is an exciting journey that requires careful planning and technical rigor. Choosing the right AI model, setting up an efficient infrastructure, mitigating potential challenges, and ensuring high-quality user experience are key to success. With the power of OpenAI, Anthropic, LiteLLM, and other LLMs at your fingertips, you can create smarter, more engaging AI features that will set your startup apart. Fine is an AI coding tool that can help your startup win in the packed race to release new, AI-powered technology. Ship faster, resolve bugs and improve user satisfaction by adopting Fine as your AI coding agent. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://snyk.io
Snyk AI-powered Developer Security Platform | AI-powered AppSec Tool & Security Platform | Snyk You need to enable JavaScript to run this app. Skip to main content Platform Platform Snyk AI Security Platform Modern security in a single platform Snyk AI Workflows AI-driven workflows to secure applications DeepCode AI Purpose-built security AI Integrations SDLC-spanning security Snyk Learn Developer security education Pricing Products Snyk Code Secure your code as it's written Snyk Open Source Avoid vulnerable dependencies Snyk Container Keep your base images secure Snyk IaC Fix IaC misconfigurations in-code Snyk API & Web (DAST) Find and test APIs and web apps Snyk Studio Fix and secure AI-generated code Solutions Secure-AI-Generated Code AI writes, Snyk secures Application Security Build secure, stay secure Software Supply Chain Security Mitigate supply chain risk Zero-Day Vulnerabilities Fix the first day with Snyk Security Intelligence Comprehensive vulnerability data Code Checker Write better code for free Risk-Based Prioritization Fix what matters most Snyk Announces First AI Security Platform Watch on-demand Resources Our resources Resource Library Browse our extensive database Customer Resources The one stop shop for customers Ethical Hacking How ethical hacking can help you Top 10 Vulns See the most common vuln types Snyk Blog Snyk's Podcasts Snyk’s YouTube AI Glossary Knowledge & Docs Snyk Labs Research on AI, vulnerabilities, and DevSecOps Snyk Learn Security education from Snyk Snyk User Docs Get started with Snyk Snyk Support How can we help? Snyk Vuln Database Find new vulnerabilities Snyk Updates Stay in the loop Snyk Partner Solutions Directory Explore Snyk Partner Integrations Our community & games Events & Webinars Ambassadors DevSecCon Community VulnVortex Audience Snyk For Devs Dev-centric info on demand Snyk For Government Mission-informed AppSec Snyk For Security Leaders Insights from industry leaders Read Snyk’s Total Economic Impact™ Study Learn more Company Newsletter Patched & Dispatched Your monthly roundup of Snyk content – the latest insights patched in, dispatched straight to your inbox. No fluff. Just the good stuff. Subscribe to our newsletter Our Services Maximize your AppSec ROI Our Customers We help customers save time and money Our Partners Bringing business class security with partners Case Studies Check out our customer stories and stats Newsroom See the latest press releases Contact Us Get in touch with any feedback or questions Careers Join Snyk today Compete in Fetch the Flag 2026! Register now Pricing Evo New EN Select your language English Deutsch Español Français 日本語 Português (BR) Login Free and Team Plan Customers Snyk app.snyk.io Enterprise Plan Customers 🇺🇸 Snyk US - 1 app.snyk.io 🇺🇸 Snyk US - 2 app.us.snyk.io 🇪🇺 Snyk EU app.eu.snyk.io 🇦🇺 Snyk AU app.au.snyk.io The region where your data is hosted follows local agreements, and it may not align with your own location. Find out more . Snyk API & Web - All Customers Snyk API & Web (DAST) plus.probely.app Sign up Book a live demo Compete in Fetch the Flag 2026! Register now for free Launching Evo by Snyk The world's first agentic security orchestration system Securing the AI-native apps and tools that transform your business. Explore Evo Snyk is the AI-powered platform trusted by the world’s most innovative companies. Named a leader by analysts & customers Snyk - The AI Security Platform AI is changing the future of secure software. Snyk accelerates secure, AI-driven development. The Snyk AI Security Platform integrates AI-powered workflows for development and security stakeholders, leveraging agentic and assistant-based AI for automation, efficiency, and innovation. With proactive, AI-powered security, Snyk enhances its foundation of the fastest, most accurate, and most comprehensive application security testing engines. First AI cybersecurity solution to find, prioritize, and fix The backbone of the Snyk platform, DeepCode AI uses models trained on curated security data. Unleash the power of GenAI with the guardrails of AI-powered AppSec. DeepCode AI Engine Deploy agentic fixes with Snyk's code security tools Static Application Security Testing (SAST) that doesn’t slow development. Snyk Code Avoid vulnerabilities with Snyk’s open source security tools Advanced Software Composition Analysis (SCA) backed by the world’s most comprehensive vulnerability database. Snyk Open Source Keep your base images secure with Snyk’s container security tools Container and Kubernetes security to find, prioritize, and fix vulnerabilities throughout the SDLC. Snyk Container Find and fix misconfigurations with Snyk’s IaC security tools Write, test, and deploy secure cloud configurations across the SDLC with in-line remediation advice. Snyk Infrastructure as Code Discover and test the security of your APIs and Web Applications in runtime Automatically find and expose vulnerabilities at scale with an AI-driven DAST engine to shift left with automation and fix guidance that integrates seamlessly into your SDLC. Snyk API & Web The Snyk Platform AI-ready engines with broadest coverage, speed, and accuracy Developer-first approach AI-powered visibility, prioritization, and policy AI-native workflows including Snyk Agent Fix and Snyk Assist AI-readiness framework, a proven path for evolving DevSecOps Security research and development with Snyk Labs Explore the Snyk Platform AppSec challenge accepted Snyk helps organizations of all sizes and stripes achieve their unique application security, compliance, and DevSecOps governance goals. Secure AI-generated code Build and Maintain Secure Code Mitigate software supply chain risks Fix zero-day vulnerabilities fast Manage software compliance Why customers trust Snyk Okta Seismic Komatsu Revolut Skechers Play Video “The biggest benefit of Snyk has been the ease of use. I would definitely recommend Snyk, especially if you have issues with dependency management.” Chitra Dharmarajan VP, Security & Privacy Engineering , Okta Play Video "We want our developers to be enabled with all the metadata about their known CVEs… and Snyk helps us take a systematic and methodical approach to triage the impact of CVEs in our codebase." Ethan Willer Senior Information Security Analyst , Seismic “Compared to our previous tooling, Snyk’s scanning is 2x faster and much more integrated to their tooling and processes” Eric Cheng Digital Solutions Architect , Komatsu Read Komatsu's case study "By using Snyk, we can say we’ve secured our open source pipeline. So it’s not just about improving our security exposure but also supporting our compliance efforts." Evangelos Deirmentzoglou Interim Head of Security , Revolut Read Revolut's case study “To innovate securely with AI, companies need to adopt AI thoughtfully and delegate tasks that AI can do best. And I believe Snyk will support that by delivering industry-leading AI models and keeping them on the bleeding edge of security innovation.” Ramon Borunda Sr. Cloud Platform Engineer , Skechers, USA Not convinced yet? The results speak for themselves. Get a Snyk peek here. Sign up 288% ROI from improved productivity, improved risk posture, and cost savings on consolidated solutions with Snyk 80% Faster scan time than solutions used prior to Snyk 75% Faster remediation for issues prevented upstream in development with Snyk 60% Faster remediation for issues found in runtime with Snyk compared to prior solutions 3 AppSec solutions that were redundant with Snyk, that customers consolidated onto Snyk’s platform 52% Reduced risk of a data breach with Snyk compared to prior solutions Your browser does not support the video tag. No one solves for AI alone It takes an ecosystem to bring secure AI solutions to life. Learn more about technology integrations with your existing tools and workflows. View all integrations Limitless innovation begins with trust, Trust begins with Snyk Best-in-class cloud compliance right out of the box. Learn More Align AppSec with business risk management Plus, Snyk’s own infrastructure is certified compliant with Explore Resources View all here Article The Frictionless Developer Security Experience: Securing at the Speed of AI Read now White Paper Secure Every Layer, Empower Every Team: The Unified Snyk Platform Read now Article Secure at Inception: The New Imperative for AI-Driven Development Read now Snyk Events View events Flagship Fetch the Flag 2026 Feb 12 - 13, 2026 Register Snyk reduces app risk and unleashes developer productivity Start securing AI-generated code in minutes, or book a demo to see how Snyk can fit your developer security use cases. Try Snyk for free Create your free Snyk account to start securing AI-generated code in minutes. No credit card required. Get Started See Snyk in action See why Snyk is the chosen AppSec solution for developers and security teams alike — and what it can do for your team. Book a live demo Get in touch We would be happy to hear from you about any feedback or questions about Snyk and how it works. Contact us Platform Snyk AI Security Platform Snyk AI Workflows DeepCode AI Integrations Our Resources Resource Library Blog Snyk’s Podcasts Knowledge & Docs Snyk Labs Snyk Learn Snyk User Docs Snyk Support Snyk Vuln Database Snyk Updates Snyk Trust Center Company & Community About Snyk Contact Us Book A Demo Careers Events & Webinars Ambassadors Why Snyk Snyk vs GitHub Advanced Security Snyk vs Veracode Snyk vs Checkmarx Snyk vs Black Duck Snyk vs Wiz Patched & Dispatched Your monthly roundup of Snyk content – the latest insights patched in, dispatched straight to your inbox. No fluff. Just the good stuff. Subscribe to our newsletter © 2025 Snyk Limited Registered in England and Wales Legal terms Privacy Notice Terms of use California residents: do not sell my information
2026-01-13T08:49:37
https://open.forem.com/new/webdev
New Post - Open 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 Open Forem Close Join the Open Forem Open Forem is a community of 3,676,891 amazing developers 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 Open 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#4-portability
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.assemblyai.com/docs?utm_source=devto&utm_medium=challenge&utm_campaign=streaming_challenge&utm_content=support
AssemblyAI Documentation | AssemblyAI | Documentation Gemini 3 Pro now available in LLM Gateway! Learn more Search / Ask AI Sign In Documentation API Reference Cookbooks FAQ Playground Changelog Roadmap Documentation API Reference Cookbooks FAQ Playground Changelog Roadmap Getting started Overview Transcribe a pre-recorded audio file Transcribe streaming audio Models Models Pre-recorded Speech-to-text Streaming Speech-to-text Evaluations Voice AI Platform Speech Understanding Guardrails LLM Gateway Deployment Security Integrations Build with AssemblyAI Build a Voice Agent Build a Meeting Notetaker Build a Medical Scribe Migration guides Sign In Light On this page Quickstart Products Getting started AssemblyAI Documentation Copy page Build with our leading Speech AI models Industry-leading models on a developer-first API Your AI product strategy depends on the foundation that powers it. Make sure you build on the best. Quickstart Transcribe an audio file Learn how to transcribe audio files with our SDK Transcribe streaming audio Learn how to transcribe live audio from a microphone Apply LLMs to audio Learn how to analyze audio content with LLMs Cookbooks Get started quickly with our use-case specific cookbooks Products Speech-to-Text Models for converting audio files, video files, and live speech into text. LLM Gateway LLM Gateway is a framework for applying Large Language Models (LLMs) to spoken data. Audio Intelligence Models for interpreting audio for business and personal workflows. Need help? Talk to our Support team. · Join our Discord community · Check status page · See changelog Transcribe a pre-recorded audio file Learn how to transcribe and analyze an audio file. Next Built with
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#5-enhanced-productivity
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#what-are-dev-containers
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://dev.to/t/development/page/3
Development 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 # development Follow Hide Tracking and discussing physical and cognitive milestones. Create Post Older #development 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 Stop Fighting Context Limits: How Multi-Agent Systems Solved My Development Chaos(Part 1) Nour Mohamed Amine Nour Mohamed Amine Nour Mohamed Amine Follow Dec 28 '25 Stop Fighting Context Limits: How Multi-Agent Systems Solved My Development Chaos(Part 1) # architecture # development # productivity # ai Comments Add Comment 6 min read Why Developers Struggle With Social Media Data (And How I’m Fixing It) ImbueData ImbueData ImbueData Follow Dec 27 '25 Why Developers Struggle With Social Media Data (And How I’m Fixing It) # api # webdev # saas # development Comments Add Comment 2 min read THE MORTUARY ASSISTANT: How One Developer Made a Career Out of Embalming Haunted Corpses Faisal Mujahid Faisal Mujahid Faisal Mujahid Follow Dec 27 '25 THE MORTUARY ASSISTANT: How One Developer Made a Career Out of Embalming Haunted Corpses # gamedev # gamechallenge # programming # development Comments Add Comment 1 min read No Install, No Sign-up, No Bloat: The Instant Issue Tracker for Busy Devs techno kraft techno kraft techno kraft Follow Dec 27 '25 No Install, No Sign-up, No Bloat: The Instant Issue Tracker for Busy Devs # showdev # development # webdev # programming 1  reaction Comments Add Comment 2 min read Future Trends in Wearable Tech: What Developers Should Expect Lucas Wade Lucas Wade Lucas Wade Follow Dec 26 '25 Future Trends in Wearable Tech: What Developers Should Expect # wearableappdevelopment # development # programming # ai Comments Add Comment 4 min read How to Scrape Any Website Using Bright Data MCP Server and AI Agents oteri oteri oteri Follow Jan 9 How to Scrape Any Website Using Bright Data MCP Server and AI Agents # python # ai # development # opensource 7  reactions Comments Add Comment 2 min read Day 33 of improving my Data Science skills🎄 Sylvester Promise Sylvester Promise Sylvester Promise Follow Dec 25 '25 Day 33 of improving my Data Science skills🎄 # development # tooling # datascience # machinelearning Comments Add Comment 2 min read Pinning GitHub Actions for Reproducibility and Security Cloud Native Engineer Cloud Native Engineer Cloud Native Engineer Follow Dec 26 '25 Pinning GitHub Actions for Reproducibility and Security # development # devops # programming # beginners Comments Add Comment 1 min read Devoting December to developer enrichment Shipyard DevRel Shipyard DevRel Shipyard DevRel Follow Dec 22 '25 Devoting December to developer enrichment # learning # productivity # programming # development 2  reactions Comments Add Comment 4 min read Development Workflow: Why Most Teams Fail (And How to Fix It) CodeCraft Diary CodeCraft Diary CodeCraft Diary Follow Dec 23 '25 Development Workflow: Why Most Teams Fail (And How to Fix It) # programming # webdev # development # software Comments Add Comment 5 min read Build in Public: Week 8. We Finally Deployed This Thing Olga Braginskaya Olga Braginskaya Olga Braginskaya Follow Jan 8 Build in Public: Week 8. We Finally Deployed This Thing # ai # buildinpublic # development # saas 28  reactions Comments 6  comments 6 min read Visual Studio 2026: How AI Is Transforming the Way Developers Code Phinter Atieno Phinter Atieno Phinter Atieno Follow for Syncfusion, Inc. Dec 24 '25 Visual Studio 2026: How AI Is Transforming the Way Developers Code # syncfusion # development # githubcopilot # visualstudio Comments Add Comment 9 min read Tech Trading | Mobile Developer & NSE Trader Dilip Kumar (DK) Dilip Kumar (DK) Dilip Kumar (DK) Follow Dec 23 '25 Tech Trading | Mobile Developer & NSE Trader # firebase # mobileapp # development # sentiment Comments Add Comment 2 min read Mobile Supply Chain Security: SBOM and Dependency Risk for App Teams M Sikandar M Sikandar M Sikandar Follow Dec 22 '25 Mobile Supply Chain Security: SBOM and Dependency Risk for App Teams # edtec # ai # learning # development Comments Add Comment 5 min read Why Good API Documentation Feels Invisible (Until It’s Missing) Surhid Amatya Surhid Amatya Surhid Amatya Follow Dec 25 '25 Why Good API Documentation Feels Invisible (Until It’s Missing) # webdev # programming # development Comments Add Comment 3 min read I Saw an Instagram Reel Last Night. Now I Built a Bionic Reading Extension. Shreyan Ghosh Shreyan Ghosh Shreyan Ghosh Follow Dec 21 '25 I Saw an Instagram Reel Last Night. Now I Built a Bionic Reading Extension. # extensions # programming # development # tooling 6  reactions Comments 4  comments 3 min read What does it mean to be a “Technical” Product Manager in the AI era? bfuller bfuller bfuller Follow Jan 6 What does it mean to be a “Technical” Product Manager in the AI era? # product # ai # development # devops 8  reactions Comments Add Comment 3 min read 🚀 A Wake-Up Call for Developers: Don’t Just Build — Publish Your Ideas to the Linux Ecosystem BHUVANESH M BHUVANESH M BHUVANESH M Follow Dec 31 '25 🚀 A Wake-Up Call for Developers: Don’t Just Build — Publish Your Ideas to the Linux Ecosystem # setbian # linux # development # code 2  reactions Comments Add Comment 2 min read MVC View-First vs MVP: An Architectural Comparison Elanat Framework Elanat Framework Elanat Framework Follow Dec 16 '25 MVC View-First vs MVP: An Architectural Comparison # mvc # architecture # development # dotnet Comments Add Comment 3 min read Zero-Release Mobile Architecture: The Path Every Server-Driven UI Takes Digia Digia Digia Follow Dec 16 '25 Zero-Release Mobile Architecture: The Path Every Server-Driven UI Takes # development # serverdrivenui # zerorelease # productivity Comments Add Comment 9 min read MongoDB Document Model and CRUD in Practice James Miller James Miller James Miller Follow Dec 15 '25 MongoDB Document Model and CRUD in Practice # mongodb # database # development 1  reaction Comments Add Comment 5 min read Experiences using AI codegen tools like Lovable or Base44? Quionie Quionie Quionie Follow Dec 15 '25 Experiences using AI codegen tools like Lovable or Base44? # ai # webdev # development # tooling Comments Add Comment 1 min read Automation Isn’t the Future — It’s the Foundation OutworkTech OutworkTech OutworkTech Follow Dec 15 '25 Automation Isn’t the Future — It’s the Foundation # automation # development # webdev # ai Comments Add Comment 2 min read Nixopus on LetsCloud: One-Click Deployments with Optimized Cloud Infrastructure LetsCloud Team LetsCloud Team LetsCloud Team Follow for LetsCloud Inc Dec 16 '25 Nixopus on LetsCloud: One-Click Deployments with Optimized Cloud Infrastructure # cloud # devops # startup # development Comments Add Comment 2 min read AI in Development: It’s Not Artificial Intelligence, It’s Collective Intelligence Vladimir Semenov Vladimir Semenov Vladimir Semenov Follow Dec 18 '25 AI in Development: It’s Not Artificial Intelligence, It’s Collective Intelligence # programming # webdev # ai # development 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:49:37
https://www.fine.dev/blog/integrate-ai-technical-guide#5-model-customization-and-fine-tuning-for-ai
How to Integrate AI into Your Startup: A Technical Guide for CTOs Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Integrate AI into Your Startup: A Technical Guide for CTOs Table of Contents Define the Use Case for AI Choose Your AI Model Wisely Access and Integrate APIs Consider Latency and Cost for AI Integration Model Customization and Fine-Tuning for AI Infrastructure Considerations for AI Deployment Testing and Monitoring AI Systems Performance Optimization for AI Integration Ensure a Smooth User Experience with AI Leveraging LiteLLM for Seamless AI Integration Potential Challenges and Solutions in AI Integration Conclusion Integrating artificial intelligence into a startup's offerings is a transformative endeavor that enhances user experience and drives innovation. For CTOs aspiring to embed AI-powered features into their products, this guide provides a comprehensive overview of the technical aspects involved in integrating advanced language models such as OpenAI's GPT-4, Anthropic's Claude, and other leading large language models (LLMs). This document will help you navigate the complexities of incorporating AI, ensuring a successful and technically sound transition. 1. Define the Use Case for AI Before embarking on AI integration, it is essential to precisely define the problem that AI will address for your users. Will AI enhance customer support, summarize complex data, or add conversational capabilities? The specific use case will dictate the appropriate AI architecture and integration strategy. For instance, automating customer support might require real-time natural language understanding and response generation, whereas document analysis could involve batch processing and data summarization. Establishing these requirements upfront helps identify the optimal LLM, the necessary tuning, and the appropriate integration model. While anyone can create a chatbot using Retrieval-Augmented Generation (RAG), the distinction lies in how effectively your AI solution addresses genuine user challenges. A sophisticated AI-driven solution, like Fine’s approach, surpasses basic RAG implementations through advanced model fine-tuning, context-aware management, and a comprehensive integration workflow. This ensures that the AI-generated solutions are accurate, pertinent, and aligned with user needs, thereby delivering actionable insights that enhance user productivity and reduce friction. 2. Choose Your AI Model Wisely Selecting an appropriate large language model (LLM) is paramount for the successful integration of AI capabilities. Different LLMs exhibit distinct strengths: OpenAI's GPT-4 is renowned for its versatility, capable of executing complex tasks such as coding assistance, creative content generation, and language translation. This flexibility makes GPT-4 suitable for a wide range of applications. Anthropic's Claude emphasizes safety and controllability, making it a preferred choice for scenarios demanding rigorous risk mitigation, such as minimizing toxic or biased outputs. Cohere, Mistral, and Llama provide specialized models that excel in domains like multilingual support and cost-effective deployment. The selection of an AI model should align with your application's priorities—whether those are accuracy, safety, efficiency, or a combination of these factors. Real-time applications may benefit from models optimized for responsiveness, whereas batch processing tasks might prioritize throughput efficiency. 3. Access and Integrate APIs Most prominent LLMs offer APIs that facilitate straightforward integration, which is crucial for effective AI deployment. Below is a detailed guide on how to integrate these models, including practical code examples. Set up API Access : Obtain API keys from your preferred LLM provider. Providers like OpenAI and Anthropic offer detailed documentation to guide you through the setup of API access and configuration of usage limits. Python Example : import openai openai.api_key = 'YOUR_OPENAI_API_KEY' response = openai.Completion.create( engine="text-davinci-003", prompt="How do I integrate AI into my startup?", max_tokens=150 ) print(response.choices[0].text) Node.js Example : const { Configuration, OpenAIApi } = require("openai"); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); async function getResponse() { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: "How do I integrate AI into my startup?", max_tokens: 150, }); console.log(response.data.choices[0].text); } getResponse(); Backend Integration : Employ server-side languages like Python, Node.js, or Go to make API requests. Build a middleware layer that manages API requests, processes responses, and handles errors effectively. This middleware should ensure robustness in the face of API downtime and rate limitations. Python Middleware Example : from flask import Flask, request, jsonify import openai app = Flask(__name__) openai.api_key = 'YOUR_OPENAI_API_KEY' @app.route('/ask', methods=['POST']) def ask(): prompt = request.json.get("prompt") try: response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return jsonify(response.choices[0].text) except Exception as e: return jsonify({"error": str(e)}), 500 if __name__ == '__main__': app.run(debug=True) Node.js Middleware Example : const express = require('express'); const { Configuration, OpenAIApi } = require("openai"); const app = express(); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); app.use(express.json()); app.post('/ask', async (req, res) => { const prompt = req.body.prompt; try { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: prompt, max_tokens: 150, }); res.json(response.data.choices[0].text); } catch (error) { res.status(500).json({ error: error.message }); } }); app.listen(3000, () => { console.log('Server is running on port 3000'); }); Optimize API Requests : To manage costs and improve response times, limit the data sent to the LLM by focusing on critical information. For complex queries, implement pre-processing (e.g., data summarization) and post-processing to enhance usability while minimizing the data payload. Python Example for Pre-processing : def preprocess_data(data): # Simplify data before sending to LLM return data[:500] # Example: trimming data to the first 500 characters prompt = preprocess_data(user_input) response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) 4. Consider Latency and Cost for AI Integration The costs associated with API usage can escalate rapidly as your application scales. To mitigate these costs while maintaining optimal AI performance, consider the following strategies: Cache Responses : Implement caching for frequently requested responses to minimize redundant API calls. Optimize Context Windows : Large context windows can be beneficial for understanding but come with increased costs. Focus on sending only necessary context to reduce expenses. Utilize Hybrid Models : Combine smaller, open-source models (e.g., Llama 2) for low-stakes interactions with high-accuracy models (e.g., GPT-4) for critical tasks. This hybrid approach helps manage costs while retaining key AI functionalities. 5. Model Customization and Fine-Tuning for AI Pre-trained LLMs are powerful but may require customization to meet specific domain needs effectively. Prompt Engineering : Carefully crafted prompts can often yield the desired output without necessitating model fine-tuning. Experiment with different prompt formats, including few-shot prompting, to guide the model effectively. Fine-Tuning : In cases where deeper domain expertise is necessary, consider fine-tuning the model. OpenAI, among others, offers fine-tuning options. Ensure that you use well-curated datasets to avoid introducing biases during this process. 6. Infrastructure Considerations for AI Deployment AI integration requires robust infrastructure modifications beyond simple API access: Scalability : LLMs can be resource-intensive. Design server infrastructure capable of handling increased traffic and added latency, particularly during peak demand. Data Privacy : Data passing through third-party AI models presents privacy risks. Anonymize user data and implement compliance measures in alignment with relevant data policies and regulations. Edge Deployment : For applications requiring minimal latency, such as IoT, consider deploying lightweight models on edge devices while leveraging cloud-based LLMs for more demanding processing. 7. Testing and Monitoring AI Systems AI systems are dynamic and behave differently from traditional software systems. Rigorous Testing : Test the AI model against edge cases and simulate diverse scenarios to identify potential failure modes. Human-in-the-loop : In high-stakes environments, incorporate mechanisms for human oversight to ensure AI outputs meet quality standards. User feedback should be continuously leveraged to refine model behavior. Continuous Monitoring : Track key metrics such as response latency, error rates, and user satisfaction to ensure ongoing performance optimization. 8. Performance Optimization for AI Integration Effective AI integration demands careful performance tuning to ensure scalability and responsiveness. Asynchronous Processing : Use asynchronous calls to avoid blocking application threads while waiting for LLM responses. This approach allows concurrent task handling, improving overall efficiency. Python Example (Asynchronous) : import openai import asyncio async def get_response(prompt): response = await openai.Completion.acreate( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return response.choices[0].text loop = asyncio.get_event_loop() prompt = "How can asynchronous processing improve AI performance?" response_text = loop.run_until_complete(get_response(prompt)) print(response_text) Load Balancing : Use load balancers to distribute incoming API requests across multiple servers, preventing any single server from becoming overwhelmed, particularly during periods of high demand. Node.js Example with Load Balancer : Use Nginx as a load balancer to manage and distribute traffic. upstream openai_backend { server server1.example.com; server server2.example.com; } server { listen 80; location /ask { proxy_pass http://openai_backend; } } Containerization with Docker : Docker containers help maintain consistent deployment environments, ensuring easy scaling. Use Kubernetes for orchestrating multiple containers, thereby achieving high availability. Dockerfile Example : # Use an official Python runtime as a parent image FROM python:3.9-slim # Set the working directory in the container WORKDIR /app # Copy the current directory contents into the container at /app COPY . /app # Install any needed packages specified in requirements.txt RUN pip install --no-cache-dir -r requirements.txt # Make port 80 available to the world outside this container EXPOSE 80 # Define environment variable ENV NAME World # Run app.py when the container launches CMD ["python", "app.py"] Kubernetes Deployment Example : apiVersion: apps/v1 kind: Deployment metadata: name: openai-app-deployment spec: replicas: 3 selector: matchLabels: app: openai-app template: metadata: labels: app: openai-app spec: containers: - name: openai-app image: openai-app-image:latest ports: - containerPort: 80 9. Ensure a Smooth User Experience with AI Finally, it’s critical to think about how users will interact with the AI feature. Transparency : Let users know when they’re interacting with an AI model and what its limitations are. This transparency builds trust. Fail Gracefully : In case of a failed API call or confusing AI response, have a fallback ready—such as a templated response or escalation to human support. This ensures the AI adds value rather than creating frustration. 10. Leveraging LiteLLM for Seamless AI Integration For startups looking to efficiently integrate and manage multiple LLMs, LiteLLM offers a powerful framework that simplifies the AI integration process. Here’s how LiteLLM can help: Unified API Access : LiteLLM provides a consistent interface to interact with over 100 LLMs, including those from OpenAI, Anthropic, Hugging Face, and Azure. This simplifies switching between different AI models without altering your codebase, allowing you to be flexible and agile in your AI strategy. Proxy Server (LLM Gateway) : LiteLLM’s proxy server acts as a gateway for centralized AI management. It allows teams to monitor usage, implement guardrails, and customize logging and caching across projects, providing a comprehensive control layer that ensures both security and consistency. Python SDK : The LiteLLM Python SDK helps developers integrate AI functionalities directly into their applications with ease. It standardizes input and output formats, supports retry and fallback mechanisms, and ensures seamless integration with multiple LLM providers. Cost Tracking and Budgeting : LiteLLM enables startups to monitor and manage AI expenditures by tracking usage and setting budgets per project. This feature helps maintain cost efficiency, especially as your AI applications scale. Observability and Logging : With support for tools like Langfuse, Helicone, and PromptLayer, LiteLLM ensures you have comprehensive observability over your AI interactions. This makes debugging easier and helps you track performance metrics to continuously refine your AI integration. Streaming and Asynchronous Support : LiteLLM supports streaming responses and asynchronous operations, which is crucial for real-time AI applications that require high responsiveness. By leveraging LiteLLM, you can simplify the integration of AI capabilities, enhance scalability, and maintain cost-efficiency, making it an excellent choice for startups aiming to incorporate multiple LLMs into their tech stack. 11. Potential Challenges and Solutions in AI Integration Integrating AI into your startup comes with challenges. Here are some common pitfalls and strategies for overcoming them: Common AI Pitfalls Data Privacy Concerns : User data may be exposed during LLM interactions, creating privacy risks. Solution : Implement data anonymization techniques to strip out personally identifiable information (PII) before sending it to third-party AI models. Use encryption for data in transit and consider local processing where possible to limit exposure. Model Bias : AI LLMs can exhibit biases based on the data they were trained on, which may result in unintended consequences in your application. Solution : Conduct regular audits of model outputs to identify biases. Fine-tune AI models using curated datasets that reflect your users' diversity and values. Introduce human-in-the-loop systems to flag and correct problematic outputs. Scalability Issues : As your startup scales, increased API requests can lead to performance bottlenecks. Solution : Implement load balancing and use a combination of asynchronous processing and containerized deployments (e.g., Docker and Kubernetes) to ensure your infrastructure can scale efficiently with growing demand. Risk Management in AI Integration Model Failures : AI models can fail unpredictably, providing incorrect or incomplete responses. Solution : Use fallback strategies—if the AI model fails, implement default responses or escalate to human support. This ensures continuity in service and maintains user satisfaction. Maintaining Uptime : Relying on external LLM APIs can lead to outages that affect your product. Solution : Use redundant AI APIs from multiple providers. Incorporate a caching layer to serve responses for common queries even if the API is down. Compliance with Data Protection Regulations : Handling user data comes with legal responsibilities, including compliance with regulations like GDPR or CCPA. Solution : Work with legal experts to understand the specific data handling requirements in your region. Implement user consent mechanisms, anonymize data, and maintain a data retention policy that aligns with regulatory guidelines. Conclusion Integrating AI into your startup is an exciting journey that requires careful planning and technical rigor. Choosing the right AI model, setting up an efficient infrastructure, mitigating potential challenges, and ensuring high-quality user experience are key to success. With the power of OpenAI, Anthropic, LiteLLM, and other LLMs at your fingertips, you can create smarter, more engaging AI features that will set your startup apart. Fine is an AI coding tool that can help your startup win in the packed race to release new, AI-powered technology. Ship faster, resolve bugs and improve user satisfaction by adopting Fine as your AI coding agent. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://techcrunch.com/2025/04/14/openais-new-gpt-4-1-models-focus-on-coding/#:~:text=at%20once%20than%20GPT,respectively%2C%20on%20the%20same%20benchmark
OpenAI's new GPT-4.1 AI models focus on coding | TechCrunch TechCrunch Desktop Logo TechCrunch Mobile Logo Latest Startups Venture Apple Security AI Apps Events Podcasts Newsletters Search Submit Site Search Toggle Mega Menu Toggle Topics Latest AI Amazon Apps Biotech & Health Climate Cloud Computing Commerce Crypto Enterprise EVs Fintech Fundraising Gadgets Gaming Google Government & Policy Hardware Instagram Layoffs Media & Entertainment Meta Microsoft Privacy Robotics Security Social Space Startups TikTok Transportation Venture More from TechCrunch Staff Events Startup Battlefield StrictlyVC Newsletters Podcasts Videos Partner Content TechCrunch Brand Studio Crunchboard Contact Us Image Credits: Jakub Porzycki/NurPhoto / Getty Images AI OpenAI’s new GPT-4.1 AI models focus on coding Kyle Wiggers 10:00 AM PDT · April 14, 2025 OpenAI on Monday launched a new family of models called GPT-4.1. Yes, “4.1” — as if the company’s nomenclature wasn’t confusing enough already. There’s GPT-4.1, GPT-4.1 mini, and GPT-4.1 nano, all of which OpenAI says “excel” at coding and instruction following. Available through OpenAI’s API but not ChatGPT , the multimodal models have a 1-million-token context window, meaning they can take in roughly 750,000 words in one go (longer than “War and Peace”). GPT-4.1 arrives as OpenAI rivals like Google and Anthropic ratchet up efforts to build sophisticated programming models. Google’s recently released Gemini 2.5 Pro , which also has a 1-million-token context window, ranks highly on popular coding benchmarks. So do Anthropic’s Claude 3.7 Sonnet and Chinese AI startup DeepSeek’s upgraded V3 . It’s the goal of many tech giants, including OpenAI, to train AI coding models capable of performing complex software engineering tasks. OpenAI’s grand ambition is to create an “agentic software engineer,” as CFO Sarah Friar put it during a tech summit in London last month. The company asserts its future models will be able to program entire apps end-to-end, handling aspects such as quality assurance, bug testing, and documentation writing. GPT-4.1 is a step in this direction. “We’ve optimized GPT-4.1 for real-world use based on direct feedback to improve in areas that developers care most about: frontend coding, making fewer extraneous edits, following formats reliably, adhering to response structure and ordering, consistent tool usage, and more,” an OpenAI spokesperson told TechCrunch via email. “These improvements enable developers to build agents that are considerably better at real-world software engineering tasks.” OpenAI claims the full GPT-4.1 model outperforms its GPT-4o and GPT-4o mini  models on coding benchmarks, including SWE-bench. GPT-4.1 mini and nano are said to be more efficient and faster at the cost of some accuracy, with OpenAI saying GPT-4.1 nano is its speediest — and cheapest — model ever. Techcrunch event Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. San Francisco | October 13-15, 2026 W AITLIST NOW GPT-4.1 costs $2 per million input tokens and $8 per million output tokens. GPT-4.1 mini is $0.40/million input tokens and $1.60/million output tokens, and GPT-4.1 nano is $0.10/million input tokens and $0.40/million output tokens. According to OpenAI’s internal testing, GPT-4.1, which can generate more tokens at once than GPT-4o (32,768 versus 16,384), scored between 52% and 54.6% on SWE-bench Verified, a human-validated subset of SWE-bench. (OpenAI noted in a blog post that some solutions to SWE-bench Verified problems couldn’t run on its infrastructure, hence the range of scores.) Those figures are slightly under the scores reported by Google and Anthropic for Gemini 2.5 Pro (63.8%) and Claude 3.7 Sonnet (62.3%), respectively, on the same benchmark. In a separate evaluation, OpenAI probed GPT-4.1 using Video-MME, which is designed to measure the ability of a model to “understand” content in videos. GPT-4.1 reached a chart-topping 72% accuracy on the “long, no subtitles” video category, claims OpenAI. While GPT-4.1 scores reasonably well on benchmarks and has a more recent “knowledge cutoff,” giving it a better frame of reference for current events (up to June 2024), it’s important to keep in mind that even some of the best models today struggle with tasks that wouldn’t trip up experts. For example, many studies have  shown  that code-generating models often fail to fix, and even introduce, security vulnerabilities and bugs. OpenAI acknowledges, too, that GPT-4.1 becomes less reliable (i.e., likelier to make mistakes) the more input tokens it has to deal with. On one of the company’s own tests, OpenAI-MRCR, the model’s accuracy decreased from around 84% with 8,000 tokens to 50% with 1 million tokens. GPT-4.1 also tended to be more “literal” than GPT-4o, says the company, sometimes necessitating more specific, explicit prompts. Topics AI , gpt 4.1 , OpenAI Kyle Wiggers AI Editor Kyle Wiggers was TechCrunch’s AI Editor until June 2025. His writing has appeared in VentureBeat and Digital Trends, as well as a range of gadget blogs including Android Police, Android Authority, Droid-Life, and XDA-Developers. He lives in Manhattan with his partner, a music therapist. View Bio Dates TBD Locations TBA Plan ahead for the 2026 StrictlyVC events. Hear straight-from-the-source candid insights in on-stage fireside sessions and meet the builders and backers shaping the industry. Join the waitlist to get first access to the lowest-priced tickets and important updates. Waitlist Now Most Popular Google announces a new protocol to facilitate commerce using AI agents Ivan Mehta The most bizarre tech announced so far at CES 2026 Lauren Forristal Yes, LinkedIn banned AI agent startup Artisan, but now it’s back Julie Bort OpenAI unveils ChatGPT Health, says 230 million users ask about health each week Amanda Silberling How Quilt solved the heat pump’s biggest challenge Tim De Chant A viral Reddit post alleging fraud from a food delivery app turned out to be AI-generated Amanda Silberling Founder of spyware maker pcTattletale pleads guilty to hacking and advertising surveillance software Zack Whittaker Loading the next article Error loading the next article X LinkedIn Facebook Instagram youTube Mastodon Threads Bluesky TechCrunch Staff Contact Us Advertise Crunchboard Jobs Site Map Terms of Service Privacy Policy RSS Terms of Use Code of Conduct CES 2026 Elon Musk v OpenAI Clicks Communicator Gmail Larry Page Tech Layoffs ChatGPT © 2025 TechCrunch Media LLC.
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#8-sshauthentication-problems
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#5-volume-mounting-problems
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://future.forem.com/code-of-conduct#main-content
Code of Conduct - Future 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 Future Close Code of Conduct Last updated July 31, 2023 All participants of DEV Community are expected to abide by our Code of Conduct and Terms of Service , both online and during in-person events that are hosted and/or associated with DEV Community. Our Pledge In the interest of fostering an open and welcoming environment, we as moderators of DEV Community pledge to make participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation. Our Standards Examples of behavior that contributes to creating a positive environment include: Using welcoming and inclusive language Being respectful of differing viewpoints and experiences Referring to people by their pronouns and using gender-neutral pronouns when uncertain Gracefully accepting constructive criticism Focusing on what is best for the community Showing empathy towards other community members Citing sources if used to create content (for guidance see DEV Community: How to Avoid Plagiarism ) Following our AI Guidelines and disclosing AI assistance if used to create content Examples of unacceptable behavior by participants include: The use of sexualized language or imagery and unwelcome sexual attention or advances The use of hate speech or communication that is racist, homophobic, transphobic, ableist, sexist, or otherwise prejudiced/discriminatory (i.e. misusing or disrespecting pronouns) Trolling, insulting/derogatory comments, and personal or political attacks Public or private harassment Publishing others' private information, such as a physical or electronic address, without explicit permission Plagiarizing content or misappropriating works Other conduct which could reasonably be considered inappropriate in a professional setting Dismissing or attacking inclusion-oriented requests We pledge to prioritize marginalized people's safety over privileged people's comfort. We will not act on complaints regarding: 'Reverse' -isms, including 'reverse racism,' 'reverse sexism,' and 'cisphobia' Reasonable communication of boundaries, such as 'leave me alone,' 'go away,' or 'I'm not discussing this with you.' Someone's refusal to explain or debate social justice concepts Criticisms of racist, sexist, cissexist, or otherwise oppressive behavior or assumptions Enforcement Violations of the Code of Conduct may be reported by contacting the team via the abuse report form or by sending an email to support@dev.to . All reports will be reviewed and investigated and will result in a response that is deemed necessary and appropriate to the circumstances. Further details of specific enforcement policies may be posted separately. Moderators have the right and responsibility to remove comments or other contributions that are not aligned to this Code of Conduct or to suspend temporarily or permanently any members for other behaviors that they deem inappropriate, threatening, offensive, or harmful. If you agree with our values and would like to help us enforce the Code of Conduct, you might consider volunteering as a DEV moderator. Please check out the DEV Community Moderation page for information about our moderator roles and how to become a mod. Attribution This Code of Conduct is adapted from: Contributor Covenant, version 1.4 Write/Speak/Code Geek Feminism 💎 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 Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. 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 . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account
2026-01-13T08:49:37
https://open.forem.com/ava_mendes/energia-solar-mercado-livre-para-mei-requisitos-tecnicos-em-2025-1l6a
Energia Solar + Mercado Livre para MEI: Requisitos Técnicos em 2025 - Open 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 Open Forem 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 Ava Mendes Posted on Dec 25, 2025 Energia Solar + Mercado Livre para MEI: Requisitos Técnicos em 2025 # freelance # news # security Energia Solar + Mercado Livre para MEI: Requisitos Técnicos em 2025 Se você é MEI e está pensando em instalar energia solar ou migrar para o mercado livre de energia, precisa saber: as regras mudaram em 2025 . A nova NBR 17193:2025 estabeleceu requisitos de segurança muito mais rigorosos para sistemas fotovoltaicos, e a padronização dos processos de conexão pelas distribuidoras criou tanto oportunidades quanto exigências técnicas que você não pode ignorar. Neste guia prático, você vai descobrir exatamente o que é necessário para implementar energia solar ou portabilidade no seu negócio, quais normas aplicam, quanto tempo leva e — o mais importante — como evitar erros caros que comprometem sua economia. NBR 17193:2025: A Nova Realidade da Segurança Fotovoltaica A ABNT publicou em fevereiro de 2025 a NBR 17193:2025, uma norma que mudou significativamente o cenário da geração solar distribuída no Brasil. Essa norma é obrigatória para todos os novos sistemas fotovoltaicos conectados à rede, incluindo pequenas instalações em telhados de MEIs. O que mudou na prática? Antes, muitos requisitos eram opcionais. Agora, são mandatórios: Proteção contra falhas à terra com dispositivos específicos Disjuntores e fusíveis em corrente contínua (não é o disjuntor comum da sua casa) Aterramento conforme NBR 5410 e proteção contra surtos (NBR 5419) Afastamentos mínimos entre subarranjos e barreiras corta-fogo Documentação técnica completa entregue ao cliente: diagramas, certificados, laudos de testes, manual de operação Essa elevação de padrão é positiva para segurança, mas significa que você não pode simplesmente chamar "um eletricista" para instalar painéis. Precisa de um engenheiro eletricista registrado no CREA que elabore o projeto conforme NBR 16690:2019 e emita a Anotação de Responsabilidade Técnica (ART). NBR 16690: O Projeto Técnico Obrigatório A NBR 16690:2019 é a norma que define como projetar sistemas fotovoltaicos conectados à rede. Ela estabelece: Dimensionamento correto de módulos, inversores e cabos Especificação de proteções elétricas adequadas Cálculo de aterramento Toda a documentação técnica necessária Para um MEI, isso significa: você não pode instalar energia solar por conta própria ou com mão de obra desqualificada. A lei exige projeto de engenheiro, ART de projeto e ART de execução. A distribuidora não homologa sistemas sem essa documentação. O tempo para elaborar um projeto é tipicamente 2 a 4 semanas , dependendo da complexidade. Depois, você envia à distribuidora, que analisa em cerca de 15 dias (prazo típico em 2025, com tendência de padronização). NR-10: Quem Pode Instalar? A Norma Regulamentadora 10 (NR-10) estabelece que qualquer trabalho com eletricidade — incluindo montagem de sistemas fotovoltaicos — deve ser executado por profissional habilitado, capacitado e autorizado . Isso significa: Treinamento formal em eletricidade e segurança Conhecimento específico de normas técnicas Uso de equipamentos de proteção individual (EPI) Atuação sob responsabilidade de engenheiro registrado Para o MEI: contratar um instalador "amigo" ou sem qualificação formal viola a NR-10 e coloca você em risco legal, além de comprometer a segurança da instalação. A distribuidora pode rejeitar a homologação se constatar falta de conformidade com NR-10. Lei 14.300/2022: O Marco Legal da Geração Distribuída Essa lei, publicada em janeiro de 2022, é a base legal que permite microgeração (até 75 kW) e minigeração (de 75 kW a 5 MW) distribuída no Brasil. Ela define: Como você compensa energia excedente (sistema de créditos) Cronograma de transição tarifária para uso da rede Direitos e deveres do pequeno gerador Para o MEI de 2025: a Lei 14.300 garante que você pode instalar painéis e injetar energia na rede. Porém, há mudanças nas tarifas de uso da rede (TUSD) que estão sendo implementadas gradualmente. Consumidores que entrarem agora têm condições melhores que novos geradores daqui a alguns anos. Passo a Passo Prático: Como Instalar Energia Solar como MEI 1. Levante Seu Consumo e Perfil Reúna as faturas de energia dos últimos 12 meses. Identifique: Consumo médio mensal (kWh) Valor médio da conta (R$) Picos de consumo (há sazonalidade?) Horários de operação do seu negócio Tempo: 1-7 dias Documentos: Faturas de energia + dados do imóvel 2. Consulte a Distribuidora Entre em contato com sua distribuidora local e solicite o manual técnico de acesso para microgeração distribuída . Cada distribuidora tem formulários e requisitos específicos, mas em 2025 há uma tendência de padronização nacional. Pergunte: Qual é o procedimento exato para sua região? Quais formulários precisam ser preenchidos? Qual é o prazo estimado de análise? Tempo: 1-5 dias Documentos: Número da unidade consumidora, dados do titular 3. Contrate Responsável Técnico Habilitado Procure empresa ou profissional que possua engenheiro eletricista registrado no CREA . Verifique: Se emitem ART de projeto e de execução Se conhecem NBR 16690, NBR 17193, NBR 5410 e NBR 5419 Se acompanham o processo de homologação junto à distribuidora Peça referências e orçamentos de pelo menos 2-3 fornecedores. Tempo: 1-3 semanas Documentos: Dados cadastrais, fotos e medições do local 4. Elabore o Projeto Conforme Normas O engenheiro vai desenvolver: Diagrama unifilar do sistema Memorial descritivo Certificados de todos os equipamentos Análise de risco de incêndio (NBR 17193) ART de projeto assinada Isso é não-negociável. A qualidade do projeto determina se a distribuidora aprova. Tempo: 2-4 semanas Custos: Variam, mas é um investimento essencial 5. Protocole na Distribuidora Envie o projeto completo com ART e formulários preenchidos. A distribuidora analisa em torno de 15 dias (prazo típico em 2025). Pode haver pedidos de complementação — responda rapidamente. Tempo: 15-30 dias Documentos: Projeto, ART, formulários, dados do titular 6. Execução e Comissionamento Após aprovação, o instalador executa a obra seguindo o projeto. Ao final: Testes elétricos e de desempenho Laudos de conformidade Manual de operação e manutenção Roteiro de desligamento de emergência (segurança) A NBR 17193:2025 exige toda essa documentação entregue ao cliente. Tempo: 3-10 dias de instalação + testes 7. Avalie Alternativas: Solar por Assinatura Antes de decidir por instalação própria, considere energia solar por assinatura . Você não investe em painéis, mas recebe créditos de usinas remotas. Vantagens: Zero investimento inicial em equipamentos Sem obras no imóvel Sem necessidade de projeto com ART Sem complexidade técnica Economia imediata Para MEIs com consumo baixo ou que mudem frequentemente de endereço, essa pode ser a opção mais prática. Microgeração vs. Energia Solar por Assinatura: Qual Escolher? Critério Microgeração Própria Solar por Assinatura Investimento inicial Alto (R$ 15k-40k+) Nenhum Projeto com ART Obrigatório Não necessário Complexidade técnica Alta Baixa Prazo para economizar 60-90 dias (ativação) Imediato Propriedade do ativo Sim, você é dono Não, é da empresa Prazo de retorno 5-8 anos N/A (sem investimento) Ideal para MEIs com horizonte longo no imóvel MEIs com consumo baixo ou alta mobilidade Para MEIs de baixo consumo (até R$ 200-300/mês), energia solar por assinatura costuma fazer mais sentido. Para MEIs de consumo maior que planejam ficar no mesmo local por anos, microgeração própria compensa no longo prazo. Portabilidade de Energia: Uma Alternativa Complementar Você também pode combinar microgeração com portabilidade de energia — migrar para fornecedor de energia 100% renovável no mercado livre. Isso é diferente de instalar painéis: você continua usando a rede da distribuidora, mas compra energia de outro fornecedor. A portabilidade oferece: Até 20% de economia para consumidores de baixa tensão (Grupo B) Preço único durante todo o dia (sem bandeira vermelha) Energia 100% renovável (solar e eólica) Processo 100% digital e gratuito Plataformas como energialex.app simplificam essa migração. Você faz simulação gratuita em 2 minutos, envia uma foto da sua conta de energia e assina digitalmente. A ativação leva 60-90 dias, e você acompanha tudo pelo app. Vantagem: não requer projeto técnico, ART ou engenheiro. É muito mais simples que instalar painéis, e a economia começa assim que o contrato ativa. Dúvidas Frequentes P: A NBR 17193:2025 é obrigatória mesmo para sistemas pequenos em telhado? R: Sim. A norma se aplica a todos os novos sistemas fotovoltaicos conectados à rede , independentemente do porte. Fontes técnicas especializadas confirmam que não há exceção para microgeração de pequeno porte. A obrigatoriedade começou em fevereiro de 2025. P: Posso contratar qualquer eletricista para instalar meu sistema? R: Não. O projeto precisa ser assinado por engenheiro eletricista com registro no CREA e ART. A instalação deve ser executada por profissional capacitado conforme NR-10. Contratar profissional desqualificado coloca você em risco legal e pode resultar em rejeição pela distribuidora. P: Quanto tempo leva do projeto até economizar? R: Tipicamente, 60-90 dias após aprovação na distribuidora. O processo é: levantamento (1-2 semanas) → projeto (2-4 semanas) → análise distribuidora (2-4 semanas) → instalação (1-2 semanas) → ativação (até 30 dias). Total: 3-4 meses. P: Vale a pena para MEI com consumo baixo? R: Depende. Se seu consumo é menor que R$ 200/mês, energia solar por assinatura ou portabilidade podem ser mais vantajosas. Se é R$ 300-500/mês e você fica no mesmo local por 5+ anos, microgeração própria compensa. Tendências 2025: O Que Esperar Padronização de requisitos de acesso: Distribuidoras estão harmonizando formulários e prazos. Isso reduz incertezas e burocracia para pequenos geradores. Maior rigor em segurança: NBR 17193 eleva padrões, mas protege você e sua propriedade contra riscos de incêndio. Crescimento de energia solar por assinatura: Modelos de baixo investimento ganham espaço entre MEIs, oferecendo economia sem complexidade técnica. Abertura gradual do mercado livre: Discussões regulatórias indicam ampliação futura para pequenos consumidores de baixa tensão, criando novas oportunidades de economia. Conclusão: Comece Agora, mas Comece Certo A energia solar e a portabilidade de energia são ferramentas reais para economizar na conta de luz. Mas em 2025, não é mais possível improvisar. As normas técnicas, as exigências das distribuidoras e a complexidade regulatória exigem planejamento cuidadoso. Seu passo inicial: avalie qual modelo faz mais sentido para seu MEI: Microgeração própria (investimento maior, economia de longo prazo) Energia solar por assinatura (sem investimento, economia imediata) Portabilidade de energia (mudança de fornecedor, economia rápida) Se você quer explorar a portabilidade — que é a opção mais simples e rápida — energialex.app oferece simulação gratuita em menos de 2 minutos. Não custa nada verificar quanto você pode economizar, e o processo é 100% online, sem burocracia e sem compromisso. Muitos MEIs estão descobrindo que podem reduzir a conta de luz em até 20% apenas mudando de fornecedor. Qualquer que seja sua escolha, o momento é agora. As tarifas de energia seguem subindo, e as oportunidades para pequenos negócios economizarem estão mais acessíveis que nunca em 2025. Metadados Sobre a autora Ava Mendes é especialista em energia renovável e economia doméstica. Ajuda consumidores residenciais e empresariais a reduzirem custos com eletricidade através de portabilidade de energia. Conheça soluções gratuitas em energialex.app Descubra como economizar em energialex.app 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 Ava Mendes Follow ⚡ Especialista em portabilidade de energia elétrica | Fundadora @ energialex.app | Ajudo brasileiros a economizarem até 20% na conta de luz | Energia limpa, economia inteligente e sustentabilidade Location Brasil Joined Oct 20, 2025 More from Ava Mendes MP 1.300/2025: o que muda no mercado livre de energia até 2027 # discuss # news 💎 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#1-multi-language-projects
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fine.dev/blog/integrate-ai-technical-guide#6-infrastructure-considerations-for-ai-deployment
How to Integrate AI into Your Startup: A Technical Guide for CTOs Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Integrate AI into Your Startup: A Technical Guide for CTOs Table of Contents Define the Use Case for AI Choose Your AI Model Wisely Access and Integrate APIs Consider Latency and Cost for AI Integration Model Customization and Fine-Tuning for AI Infrastructure Considerations for AI Deployment Testing and Monitoring AI Systems Performance Optimization for AI Integration Ensure a Smooth User Experience with AI Leveraging LiteLLM for Seamless AI Integration Potential Challenges and Solutions in AI Integration Conclusion Integrating artificial intelligence into a startup's offerings is a transformative endeavor that enhances user experience and drives innovation. For CTOs aspiring to embed AI-powered features into their products, this guide provides a comprehensive overview of the technical aspects involved in integrating advanced language models such as OpenAI's GPT-4, Anthropic's Claude, and other leading large language models (LLMs). This document will help you navigate the complexities of incorporating AI, ensuring a successful and technically sound transition. 1. Define the Use Case for AI Before embarking on AI integration, it is essential to precisely define the problem that AI will address for your users. Will AI enhance customer support, summarize complex data, or add conversational capabilities? The specific use case will dictate the appropriate AI architecture and integration strategy. For instance, automating customer support might require real-time natural language understanding and response generation, whereas document analysis could involve batch processing and data summarization. Establishing these requirements upfront helps identify the optimal LLM, the necessary tuning, and the appropriate integration model. While anyone can create a chatbot using Retrieval-Augmented Generation (RAG), the distinction lies in how effectively your AI solution addresses genuine user challenges. A sophisticated AI-driven solution, like Fine’s approach, surpasses basic RAG implementations through advanced model fine-tuning, context-aware management, and a comprehensive integration workflow. This ensures that the AI-generated solutions are accurate, pertinent, and aligned with user needs, thereby delivering actionable insights that enhance user productivity and reduce friction. 2. Choose Your AI Model Wisely Selecting an appropriate large language model (LLM) is paramount for the successful integration of AI capabilities. Different LLMs exhibit distinct strengths: OpenAI's GPT-4 is renowned for its versatility, capable of executing complex tasks such as coding assistance, creative content generation, and language translation. This flexibility makes GPT-4 suitable for a wide range of applications. Anthropic's Claude emphasizes safety and controllability, making it a preferred choice for scenarios demanding rigorous risk mitigation, such as minimizing toxic or biased outputs. Cohere, Mistral, and Llama provide specialized models that excel in domains like multilingual support and cost-effective deployment. The selection of an AI model should align with your application's priorities—whether those are accuracy, safety, efficiency, or a combination of these factors. Real-time applications may benefit from models optimized for responsiveness, whereas batch processing tasks might prioritize throughput efficiency. 3. Access and Integrate APIs Most prominent LLMs offer APIs that facilitate straightforward integration, which is crucial for effective AI deployment. Below is a detailed guide on how to integrate these models, including practical code examples. Set up API Access : Obtain API keys from your preferred LLM provider. Providers like OpenAI and Anthropic offer detailed documentation to guide you through the setup of API access and configuration of usage limits. Python Example : import openai openai.api_key = 'YOUR_OPENAI_API_KEY' response = openai.Completion.create( engine="text-davinci-003", prompt="How do I integrate AI into my startup?", max_tokens=150 ) print(response.choices[0].text) Node.js Example : const { Configuration, OpenAIApi } = require("openai"); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); async function getResponse() { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: "How do I integrate AI into my startup?", max_tokens: 150, }); console.log(response.data.choices[0].text); } getResponse(); Backend Integration : Employ server-side languages like Python, Node.js, or Go to make API requests. Build a middleware layer that manages API requests, processes responses, and handles errors effectively. This middleware should ensure robustness in the face of API downtime and rate limitations. Python Middleware Example : from flask import Flask, request, jsonify import openai app = Flask(__name__) openai.api_key = 'YOUR_OPENAI_API_KEY' @app.route('/ask', methods=['POST']) def ask(): prompt = request.json.get("prompt") try: response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return jsonify(response.choices[0].text) except Exception as e: return jsonify({"error": str(e)}), 500 if __name__ == '__main__': app.run(debug=True) Node.js Middleware Example : const express = require('express'); const { Configuration, OpenAIApi } = require("openai"); const app = express(); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); app.use(express.json()); app.post('/ask', async (req, res) => { const prompt = req.body.prompt; try { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: prompt, max_tokens: 150, }); res.json(response.data.choices[0].text); } catch (error) { res.status(500).json({ error: error.message }); } }); app.listen(3000, () => { console.log('Server is running on port 3000'); }); Optimize API Requests : To manage costs and improve response times, limit the data sent to the LLM by focusing on critical information. For complex queries, implement pre-processing (e.g., data summarization) and post-processing to enhance usability while minimizing the data payload. Python Example for Pre-processing : def preprocess_data(data): # Simplify data before sending to LLM return data[:500] # Example: trimming data to the first 500 characters prompt = preprocess_data(user_input) response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) 4. Consider Latency and Cost for AI Integration The costs associated with API usage can escalate rapidly as your application scales. To mitigate these costs while maintaining optimal AI performance, consider the following strategies: Cache Responses : Implement caching for frequently requested responses to minimize redundant API calls. Optimize Context Windows : Large context windows can be beneficial for understanding but come with increased costs. Focus on sending only necessary context to reduce expenses. Utilize Hybrid Models : Combine smaller, open-source models (e.g., Llama 2) for low-stakes interactions with high-accuracy models (e.g., GPT-4) for critical tasks. This hybrid approach helps manage costs while retaining key AI functionalities. 5. Model Customization and Fine-Tuning for AI Pre-trained LLMs are powerful but may require customization to meet specific domain needs effectively. Prompt Engineering : Carefully crafted prompts can often yield the desired output without necessitating model fine-tuning. Experiment with different prompt formats, including few-shot prompting, to guide the model effectively. Fine-Tuning : In cases where deeper domain expertise is necessary, consider fine-tuning the model. OpenAI, among others, offers fine-tuning options. Ensure that you use well-curated datasets to avoid introducing biases during this process. 6. Infrastructure Considerations for AI Deployment AI integration requires robust infrastructure modifications beyond simple API access: Scalability : LLMs can be resource-intensive. Design server infrastructure capable of handling increased traffic and added latency, particularly during peak demand. Data Privacy : Data passing through third-party AI models presents privacy risks. Anonymize user data and implement compliance measures in alignment with relevant data policies and regulations. Edge Deployment : For applications requiring minimal latency, such as IoT, consider deploying lightweight models on edge devices while leveraging cloud-based LLMs for more demanding processing. 7. Testing and Monitoring AI Systems AI systems are dynamic and behave differently from traditional software systems. Rigorous Testing : Test the AI model against edge cases and simulate diverse scenarios to identify potential failure modes. Human-in-the-loop : In high-stakes environments, incorporate mechanisms for human oversight to ensure AI outputs meet quality standards. User feedback should be continuously leveraged to refine model behavior. Continuous Monitoring : Track key metrics such as response latency, error rates, and user satisfaction to ensure ongoing performance optimization. 8. Performance Optimization for AI Integration Effective AI integration demands careful performance tuning to ensure scalability and responsiveness. Asynchronous Processing : Use asynchronous calls to avoid blocking application threads while waiting for LLM responses. This approach allows concurrent task handling, improving overall efficiency. Python Example (Asynchronous) : import openai import asyncio async def get_response(prompt): response = await openai.Completion.acreate( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return response.choices[0].text loop = asyncio.get_event_loop() prompt = "How can asynchronous processing improve AI performance?" response_text = loop.run_until_complete(get_response(prompt)) print(response_text) Load Balancing : Use load balancers to distribute incoming API requests across multiple servers, preventing any single server from becoming overwhelmed, particularly during periods of high demand. Node.js Example with Load Balancer : Use Nginx as a load balancer to manage and distribute traffic. upstream openai_backend { server server1.example.com; server server2.example.com; } server { listen 80; location /ask { proxy_pass http://openai_backend; } } Containerization with Docker : Docker containers help maintain consistent deployment environments, ensuring easy scaling. Use Kubernetes for orchestrating multiple containers, thereby achieving high availability. Dockerfile Example : # Use an official Python runtime as a parent image FROM python:3.9-slim # Set the working directory in the container WORKDIR /app # Copy the current directory contents into the container at /app COPY . /app # Install any needed packages specified in requirements.txt RUN pip install --no-cache-dir -r requirements.txt # Make port 80 available to the world outside this container EXPOSE 80 # Define environment variable ENV NAME World # Run app.py when the container launches CMD ["python", "app.py"] Kubernetes Deployment Example : apiVersion: apps/v1 kind: Deployment metadata: name: openai-app-deployment spec: replicas: 3 selector: matchLabels: app: openai-app template: metadata: labels: app: openai-app spec: containers: - name: openai-app image: openai-app-image:latest ports: - containerPort: 80 9. Ensure a Smooth User Experience with AI Finally, it’s critical to think about how users will interact with the AI feature. Transparency : Let users know when they’re interacting with an AI model and what its limitations are. This transparency builds trust. Fail Gracefully : In case of a failed API call or confusing AI response, have a fallback ready—such as a templated response or escalation to human support. This ensures the AI adds value rather than creating frustration. 10. Leveraging LiteLLM for Seamless AI Integration For startups looking to efficiently integrate and manage multiple LLMs, LiteLLM offers a powerful framework that simplifies the AI integration process. Here’s how LiteLLM can help: Unified API Access : LiteLLM provides a consistent interface to interact with over 100 LLMs, including those from OpenAI, Anthropic, Hugging Face, and Azure. This simplifies switching between different AI models without altering your codebase, allowing you to be flexible and agile in your AI strategy. Proxy Server (LLM Gateway) : LiteLLM’s proxy server acts as a gateway for centralized AI management. It allows teams to monitor usage, implement guardrails, and customize logging and caching across projects, providing a comprehensive control layer that ensures both security and consistency. Python SDK : The LiteLLM Python SDK helps developers integrate AI functionalities directly into their applications with ease. It standardizes input and output formats, supports retry and fallback mechanisms, and ensures seamless integration with multiple LLM providers. Cost Tracking and Budgeting : LiteLLM enables startups to monitor and manage AI expenditures by tracking usage and setting budgets per project. This feature helps maintain cost efficiency, especially as your AI applications scale. Observability and Logging : With support for tools like Langfuse, Helicone, and PromptLayer, LiteLLM ensures you have comprehensive observability over your AI interactions. This makes debugging easier and helps you track performance metrics to continuously refine your AI integration. Streaming and Asynchronous Support : LiteLLM supports streaming responses and asynchronous operations, which is crucial for real-time AI applications that require high responsiveness. By leveraging LiteLLM, you can simplify the integration of AI capabilities, enhance scalability, and maintain cost-efficiency, making it an excellent choice for startups aiming to incorporate multiple LLMs into their tech stack. 11. Potential Challenges and Solutions in AI Integration Integrating AI into your startup comes with challenges. Here are some common pitfalls and strategies for overcoming them: Common AI Pitfalls Data Privacy Concerns : User data may be exposed during LLM interactions, creating privacy risks. Solution : Implement data anonymization techniques to strip out personally identifiable information (PII) before sending it to third-party AI models. Use encryption for data in transit and consider local processing where possible to limit exposure. Model Bias : AI LLMs can exhibit biases based on the data they were trained on, which may result in unintended consequences in your application. Solution : Conduct regular audits of model outputs to identify biases. Fine-tune AI models using curated datasets that reflect your users' diversity and values. Introduce human-in-the-loop systems to flag and correct problematic outputs. Scalability Issues : As your startup scales, increased API requests can lead to performance bottlenecks. Solution : Implement load balancing and use a combination of asynchronous processing and containerized deployments (e.g., Docker and Kubernetes) to ensure your infrastructure can scale efficiently with growing demand. Risk Management in AI Integration Model Failures : AI models can fail unpredictably, providing incorrect or incomplete responses. Solution : Use fallback strategies—if the AI model fails, implement default responses or escalate to human support. This ensures continuity in service and maintains user satisfaction. Maintaining Uptime : Relying on external LLM APIs can lead to outages that affect your product. Solution : Use redundant AI APIs from multiple providers. Incorporate a caching layer to serve responses for common queries even if the API is down. Compliance with Data Protection Regulations : Handling user data comes with legal responsibilities, including compliance with regulations like GDPR or CCPA. Solution : Work with legal experts to understand the specific data handling requirements in your region. Implement user consent mechanisms, anonymize data, and maintain a data retention policy that aligns with regulatory guidelines. Conclusion Integrating AI into your startup is an exciting journey that requires careful planning and technical rigor. Choosing the right AI model, setting up an efficient infrastructure, mitigating potential challenges, and ensuring high-quality user experience are key to success. With the power of OpenAI, Anthropic, LiteLLM, and other LLMs at your fingertips, you can create smarter, more engaging AI features that will set your startup apart. Fine is an AI coding tool that can help your startup win in the packed race to release new, AI-powered technology. Ship faster, resolve bugs and improve user satisfaction by adopting Fine as your AI coding agent. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#4-performance-issues
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://vibe.forem.com/privacy#2-personal-information-we-collect
Privacy Policy - Vibe Coding 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 Vibe Coding Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy.  They're called "defined terms," and we use them so that we don't have to repeat the same language again and again.  They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws.  8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:37
https://open.forem.com/new/news
New Post - Open 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 Open Forem Close Join the Open Forem Open Forem is a community of 3,676,891 amazing developers 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 Open 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account
2026-01-13T08:49:37
https://dev.to/t/challenge
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 Challenge! Follow Hide Create Post submission guidelines Posts here should have a call to action which can be fulfilled via a comment. For example: Write a script to identify an anagram Challenge posts should present some sort of coding or technical problem. Solutions to the problem will be sent in via comments. Older #challenge 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 A Place To Store Projects Branden Hernandez Branden Hernandez Branden Hernandez Follow Jan 12 A Place To Store Projects # challenge # devjournal # portfolio Comments Add Comment 2 min read Day 100 of 100 days dsa coding challenge Manasi Patil Manasi Patil Manasi Patil Follow Jan 12 Day 100 of 100 days dsa coding challenge # challenge # algorithms # devjournal # showdev 1  reaction Comments Add Comment 2 min read Being a Developer at a Startup: Challenges, Freedom, and Growth Gustavo Woltmann Gustavo Woltmann Gustavo Woltmann Follow Jan 11 Being a Developer at a Startup: Challenges, Freedom, and Growth # challenge # career # developer # startup Comments Add Comment 3 min read I'm challenging myself to build 1 tool / mini startup a week this year. 52 tools Ido Cohen Ido Cohen Ido Cohen Follow Jan 9 I'm challenging myself to build 1 tool / mini startup a week this year. 52 tools # challenge # devjournal # learning # startup Comments 1  comment 1 min read Coding Challenge Practice - Question 98 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Jan 9 Coding Challenge Practice - Question 98 # challenge # interview # javascript Comments Add Comment 2 min read I build a small website to challenge people's CSS skill! AnsonRE AnsonRE AnsonRE Follow Jan 9 I build a small website to challenge people's CSS skill! # challenge # beginners # css # showdev Comments Add Comment 1 min read Palindrome Partitioning: Coding Problem Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 9 Palindrome Partitioning: Coding Problem Explained # challenge # programming # coding # learning Comments Add Comment 4 min read Coding Challenge Practice - Question 97 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Jan 8 Coding Challenge Practice - Question 97 # challenge # algorithms # interview # javascript Comments Add Comment 2 min read Day 9 of 100 Palak Hirave Palak Hirave Palak Hirave Follow Jan 8 Day 9 of 100 # challenge # programming # python # beginners Comments Add Comment 2 min read Why I’m Telling Junior Developers to Stop Learning Frameworks in 2026 Sandip Yadav Sandip Yadav Sandip Yadav Follow Jan 12 Why I’m Telling Junior Developers to Stop Learning Frameworks in 2026 # challenge # javascript # career # fullstack 5  reactions Comments 4  comments 3 min read Bitwise AND of Numbers Range: Coding Problem Solution Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 7 Bitwise AND of Numbers Range: Coding Problem Solution # challenge # coding # tutorial # beginners Comments Add Comment 4 min read Island Perimeter: Coding Problem Solution Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 5 Island Perimeter: Coding Problem Solution # challenge # coding # programming Comments Add Comment 4 min read Day 0: Starting My DSA Journey Yash Yash Yash Follow Jan 5 Day 0: Starting My DSA Journey # challenge # algorithms # beginners # interview 1  reaction Comments Add Comment 1 min read Coding Challenge Practice - Question 93 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Jan 3 Coding Challenge Practice - Question 93 # challenge # algorithms # javascript # tutorial Comments Add Comment 1 min read Find Duplicate Subtrees: Solution Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 2 Find Duplicate Subtrees: Solution Explained # challenge # webdev # coding Comments Add Comment 4 min read Introducing Kilo App Builder Challenge Darko from Kilo Darko from Kilo Darko from Kilo Follow Jan 2 Introducing Kilo App Builder Challenge # challenge # coding # devchallenge # ai Comments Add Comment 1 min read Day-23 🐳 Dockerizing a 3-Tier MERN App & Diving into ITSM Tools Jayanth Dasari Jayanth Dasari Jayanth Dasari Follow Jan 1 Day-23 🐳 Dockerizing a 3-Tier MERN App & Diving into ITSM Tools # challenge # docker # devops # learning Comments Add Comment 2 min read Day 8 of 100 Palak Hirave Palak Hirave Palak Hirave Follow Jan 7 Day 8 of 100 # challenge # python # programming # beginners Comments Add Comment 1 min read Coding Challenge Practice - Question 92 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Jan 2 Coding Challenge Practice - Question 92 # challenge # interview # javascript Comments Add Comment 1 min read Coding Challenge Practice - Question 91 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Jan 1 Coding Challenge Practice - Question 91 # challenge # algorithms # interview # javascript Comments Add Comment 1 min read Day 89 of 100 days dsa coding challenge Manasi Patil Manasi Patil Manasi Patil Follow Jan 1 Day 89 of 100 days dsa coding challenge # challenge # algorithms # learning 1  reaction Comments Add Comment 2 min read Day 79: Python Deep Copy Graph – HashMap-Based Cloning for Cycles and Shared Nodes (LeetCode #133 Style) Shahrouz Nikseresht Shahrouz Nikseresht Shahrouz Nikseresht Follow Dec 29 '25 Day 79: Python Deep Copy Graph – HashMap-Based Cloning for Cycles and Shared Nodes (LeetCode #133 Style) # challenge # python # algorithms # datastructures Comments Add Comment 3 min read Coding Challenge Practice - Question 90 Bukunmi Odugbesan Bukunmi Odugbesan Bukunmi Odugbesan Follow Dec 29 '25 Coding Challenge Practice - Question 90 # challenge # interview # tutorial # javascript Comments Add Comment 1 min read Day 86 of 100 days dsa coding challenge Manasi Patil Manasi Patil Manasi Patil Follow Dec 29 '25 Day 86 of 100 days dsa coding challenge # challenge # algorithms # devjournal # learning 1  reaction Comments Add Comment 2 min read Boats to Save People: Coding Problem Explained Stack Overflowed Stack Overflowed Stack Overflowed Follow Jan 1 Boats to Save People: Coding Problem Explained # challenge # programming # coding 1  reaction Comments Add Comment 3 min read loading... trending guides/resources Day 20: Python Knapsack Problem – Solve 0/1 Optimization with Dynamic Programming 🧩 JSFuck — JavaScript Using Only 6 Characters Day 48: Python Merge Two Sorted Lists - Master the Two-Pointer Technique in Pure O(n) Day 46: Python Moving Average Calculator, Optimized Sliding Window for Simple Moving Average Comp... 🍬 Jelly — The Language Built for Code Golf and Extreme Compression Day 19: Python Vowel Counter – Build a Simple Function to Count Vowels in Any Text Why I’m Telling Junior Developers to Stop Learning Frameworks in 2026 💻 Building a Simple Tip Calculator in React: A Challenge Day 25: Python Coin Flip Game, Simple Interactive Guessing with Random Day 28: Python Bubble Sort, Implement a Simple Sorting Algorithm with Nested Loops Day 1 of 100 Day 39: Python Word Counter, Count Words in Text with Whitespace Handling Day 76: Python Binary Exponentiation – O(log n) Fast Power Calculation Without Built-Ins Day 40: Python Armstrong Numbers Finder, Detect Narcissistic Numbers in a Range with Digit Power Sum Day 53 of 100 days dsa coding challenge Day 63: Python Merge K Sorted Lists - O(n log k) Min-Heap Guide (LeetCode #23 Vibes) Code Cleanup Agents: True Multi-Agent Architecture Using Agentic Postgres Day 57: Python GCD & LCM with Euclidean Algorithm, Lightning-Fast Divisor Math That's 2000+ Years... Palindrome Partitioning: Coding Problem Explained Coding Challenge Practice - Question 92 💎 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:49:37
https://www.fine.dev/blog/integrate-ai-technical-guide#4-consider-latency-and-cost-for-ai-integration
How to Integrate AI into Your Startup: A Technical Guide for CTOs Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Integrate AI into Your Startup: A Technical Guide for CTOs Table of Contents Define the Use Case for AI Choose Your AI Model Wisely Access and Integrate APIs Consider Latency and Cost for AI Integration Model Customization and Fine-Tuning for AI Infrastructure Considerations for AI Deployment Testing and Monitoring AI Systems Performance Optimization for AI Integration Ensure a Smooth User Experience with AI Leveraging LiteLLM for Seamless AI Integration Potential Challenges and Solutions in AI Integration Conclusion Integrating artificial intelligence into a startup's offerings is a transformative endeavor that enhances user experience and drives innovation. For CTOs aspiring to embed AI-powered features into their products, this guide provides a comprehensive overview of the technical aspects involved in integrating advanced language models such as OpenAI's GPT-4, Anthropic's Claude, and other leading large language models (LLMs). This document will help you navigate the complexities of incorporating AI, ensuring a successful and technically sound transition. 1. Define the Use Case for AI Before embarking on AI integration, it is essential to precisely define the problem that AI will address for your users. Will AI enhance customer support, summarize complex data, or add conversational capabilities? The specific use case will dictate the appropriate AI architecture and integration strategy. For instance, automating customer support might require real-time natural language understanding and response generation, whereas document analysis could involve batch processing and data summarization. Establishing these requirements upfront helps identify the optimal LLM, the necessary tuning, and the appropriate integration model. While anyone can create a chatbot using Retrieval-Augmented Generation (RAG), the distinction lies in how effectively your AI solution addresses genuine user challenges. A sophisticated AI-driven solution, like Fine’s approach, surpasses basic RAG implementations through advanced model fine-tuning, context-aware management, and a comprehensive integration workflow. This ensures that the AI-generated solutions are accurate, pertinent, and aligned with user needs, thereby delivering actionable insights that enhance user productivity and reduce friction. 2. Choose Your AI Model Wisely Selecting an appropriate large language model (LLM) is paramount for the successful integration of AI capabilities. Different LLMs exhibit distinct strengths: OpenAI's GPT-4 is renowned for its versatility, capable of executing complex tasks such as coding assistance, creative content generation, and language translation. This flexibility makes GPT-4 suitable for a wide range of applications. Anthropic's Claude emphasizes safety and controllability, making it a preferred choice for scenarios demanding rigorous risk mitigation, such as minimizing toxic or biased outputs. Cohere, Mistral, and Llama provide specialized models that excel in domains like multilingual support and cost-effective deployment. The selection of an AI model should align with your application's priorities—whether those are accuracy, safety, efficiency, or a combination of these factors. Real-time applications may benefit from models optimized for responsiveness, whereas batch processing tasks might prioritize throughput efficiency. 3. Access and Integrate APIs Most prominent LLMs offer APIs that facilitate straightforward integration, which is crucial for effective AI deployment. Below is a detailed guide on how to integrate these models, including practical code examples. Set up API Access : Obtain API keys from your preferred LLM provider. Providers like OpenAI and Anthropic offer detailed documentation to guide you through the setup of API access and configuration of usage limits. Python Example : import openai openai.api_key = 'YOUR_OPENAI_API_KEY' response = openai.Completion.create( engine="text-davinci-003", prompt="How do I integrate AI into my startup?", max_tokens=150 ) print(response.choices[0].text) Node.js Example : const { Configuration, OpenAIApi } = require("openai"); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); async function getResponse() { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: "How do I integrate AI into my startup?", max_tokens: 150, }); console.log(response.data.choices[0].text); } getResponse(); Backend Integration : Employ server-side languages like Python, Node.js, or Go to make API requests. Build a middleware layer that manages API requests, processes responses, and handles errors effectively. This middleware should ensure robustness in the face of API downtime and rate limitations. Python Middleware Example : from flask import Flask, request, jsonify import openai app = Flask(__name__) openai.api_key = 'YOUR_OPENAI_API_KEY' @app.route('/ask', methods=['POST']) def ask(): prompt = request.json.get("prompt") try: response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return jsonify(response.choices[0].text) except Exception as e: return jsonify({"error": str(e)}), 500 if __name__ == '__main__': app.run(debug=True) Node.js Middleware Example : const express = require('express'); const { Configuration, OpenAIApi } = require("openai"); const app = express(); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); app.use(express.json()); app.post('/ask', async (req, res) => { const prompt = req.body.prompt; try { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: prompt, max_tokens: 150, }); res.json(response.data.choices[0].text); } catch (error) { res.status(500).json({ error: error.message }); } }); app.listen(3000, () => { console.log('Server is running on port 3000'); }); Optimize API Requests : To manage costs and improve response times, limit the data sent to the LLM by focusing on critical information. For complex queries, implement pre-processing (e.g., data summarization) and post-processing to enhance usability while minimizing the data payload. Python Example for Pre-processing : def preprocess_data(data): # Simplify data before sending to LLM return data[:500] # Example: trimming data to the first 500 characters prompt = preprocess_data(user_input) response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) 4. Consider Latency and Cost for AI Integration The costs associated with API usage can escalate rapidly as your application scales. To mitigate these costs while maintaining optimal AI performance, consider the following strategies: Cache Responses : Implement caching for frequently requested responses to minimize redundant API calls. Optimize Context Windows : Large context windows can be beneficial for understanding but come with increased costs. Focus on sending only necessary context to reduce expenses. Utilize Hybrid Models : Combine smaller, open-source models (e.g., Llama 2) for low-stakes interactions with high-accuracy models (e.g., GPT-4) for critical tasks. This hybrid approach helps manage costs while retaining key AI functionalities. 5. Model Customization and Fine-Tuning for AI Pre-trained LLMs are powerful but may require customization to meet specific domain needs effectively. Prompt Engineering : Carefully crafted prompts can often yield the desired output without necessitating model fine-tuning. Experiment with different prompt formats, including few-shot prompting, to guide the model effectively. Fine-Tuning : In cases where deeper domain expertise is necessary, consider fine-tuning the model. OpenAI, among others, offers fine-tuning options. Ensure that you use well-curated datasets to avoid introducing biases during this process. 6. Infrastructure Considerations for AI Deployment AI integration requires robust infrastructure modifications beyond simple API access: Scalability : LLMs can be resource-intensive. Design server infrastructure capable of handling increased traffic and added latency, particularly during peak demand. Data Privacy : Data passing through third-party AI models presents privacy risks. Anonymize user data and implement compliance measures in alignment with relevant data policies and regulations. Edge Deployment : For applications requiring minimal latency, such as IoT, consider deploying lightweight models on edge devices while leveraging cloud-based LLMs for more demanding processing. 7. Testing and Monitoring AI Systems AI systems are dynamic and behave differently from traditional software systems. Rigorous Testing : Test the AI model against edge cases and simulate diverse scenarios to identify potential failure modes. Human-in-the-loop : In high-stakes environments, incorporate mechanisms for human oversight to ensure AI outputs meet quality standards. User feedback should be continuously leveraged to refine model behavior. Continuous Monitoring : Track key metrics such as response latency, error rates, and user satisfaction to ensure ongoing performance optimization. 8. Performance Optimization for AI Integration Effective AI integration demands careful performance tuning to ensure scalability and responsiveness. Asynchronous Processing : Use asynchronous calls to avoid blocking application threads while waiting for LLM responses. This approach allows concurrent task handling, improving overall efficiency. Python Example (Asynchronous) : import openai import asyncio async def get_response(prompt): response = await openai.Completion.acreate( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return response.choices[0].text loop = asyncio.get_event_loop() prompt = "How can asynchronous processing improve AI performance?" response_text = loop.run_until_complete(get_response(prompt)) print(response_text) Load Balancing : Use load balancers to distribute incoming API requests across multiple servers, preventing any single server from becoming overwhelmed, particularly during periods of high demand. Node.js Example with Load Balancer : Use Nginx as a load balancer to manage and distribute traffic. upstream openai_backend { server server1.example.com; server server2.example.com; } server { listen 80; location /ask { proxy_pass http://openai_backend; } } Containerization with Docker : Docker containers help maintain consistent deployment environments, ensuring easy scaling. Use Kubernetes for orchestrating multiple containers, thereby achieving high availability. Dockerfile Example : # Use an official Python runtime as a parent image FROM python:3.9-slim # Set the working directory in the container WORKDIR /app # Copy the current directory contents into the container at /app COPY . /app # Install any needed packages specified in requirements.txt RUN pip install --no-cache-dir -r requirements.txt # Make port 80 available to the world outside this container EXPOSE 80 # Define environment variable ENV NAME World # Run app.py when the container launches CMD ["python", "app.py"] Kubernetes Deployment Example : apiVersion: apps/v1 kind: Deployment metadata: name: openai-app-deployment spec: replicas: 3 selector: matchLabels: app: openai-app template: metadata: labels: app: openai-app spec: containers: - name: openai-app image: openai-app-image:latest ports: - containerPort: 80 9. Ensure a Smooth User Experience with AI Finally, it’s critical to think about how users will interact with the AI feature. Transparency : Let users know when they’re interacting with an AI model and what its limitations are. This transparency builds trust. Fail Gracefully : In case of a failed API call or confusing AI response, have a fallback ready—such as a templated response or escalation to human support. This ensures the AI adds value rather than creating frustration. 10. Leveraging LiteLLM for Seamless AI Integration For startups looking to efficiently integrate and manage multiple LLMs, LiteLLM offers a powerful framework that simplifies the AI integration process. Here’s how LiteLLM can help: Unified API Access : LiteLLM provides a consistent interface to interact with over 100 LLMs, including those from OpenAI, Anthropic, Hugging Face, and Azure. This simplifies switching between different AI models without altering your codebase, allowing you to be flexible and agile in your AI strategy. Proxy Server (LLM Gateway) : LiteLLM’s proxy server acts as a gateway for centralized AI management. It allows teams to monitor usage, implement guardrails, and customize logging and caching across projects, providing a comprehensive control layer that ensures both security and consistency. Python SDK : The LiteLLM Python SDK helps developers integrate AI functionalities directly into their applications with ease. It standardizes input and output formats, supports retry and fallback mechanisms, and ensures seamless integration with multiple LLM providers. Cost Tracking and Budgeting : LiteLLM enables startups to monitor and manage AI expenditures by tracking usage and setting budgets per project. This feature helps maintain cost efficiency, especially as your AI applications scale. Observability and Logging : With support for tools like Langfuse, Helicone, and PromptLayer, LiteLLM ensures you have comprehensive observability over your AI interactions. This makes debugging easier and helps you track performance metrics to continuously refine your AI integration. Streaming and Asynchronous Support : LiteLLM supports streaming responses and asynchronous operations, which is crucial for real-time AI applications that require high responsiveness. By leveraging LiteLLM, you can simplify the integration of AI capabilities, enhance scalability, and maintain cost-efficiency, making it an excellent choice for startups aiming to incorporate multiple LLMs into their tech stack. 11. Potential Challenges and Solutions in AI Integration Integrating AI into your startup comes with challenges. Here are some common pitfalls and strategies for overcoming them: Common AI Pitfalls Data Privacy Concerns : User data may be exposed during LLM interactions, creating privacy risks. Solution : Implement data anonymization techniques to strip out personally identifiable information (PII) before sending it to third-party AI models. Use encryption for data in transit and consider local processing where possible to limit exposure. Model Bias : AI LLMs can exhibit biases based on the data they were trained on, which may result in unintended consequences in your application. Solution : Conduct regular audits of model outputs to identify biases. Fine-tune AI models using curated datasets that reflect your users' diversity and values. Introduce human-in-the-loop systems to flag and correct problematic outputs. Scalability Issues : As your startup scales, increased API requests can lead to performance bottlenecks. Solution : Implement load balancing and use a combination of asynchronous processing and containerized deployments (e.g., Docker and Kubernetes) to ensure your infrastructure can scale efficiently with growing demand. Risk Management in AI Integration Model Failures : AI models can fail unpredictably, providing incorrect or incomplete responses. Solution : Use fallback strategies—if the AI model fails, implement default responses or escalate to human support. This ensures continuity in service and maintains user satisfaction. Maintaining Uptime : Relying on external LLM APIs can lead to outages that affect your product. Solution : Use redundant AI APIs from multiple providers. Incorporate a caching layer to serve responses for common queries even if the API is down. Compliance with Data Protection Regulations : Handling user data comes with legal responsibilities, including compliance with regulations like GDPR or CCPA. Solution : Work with legal experts to understand the specific data handling requirements in your region. Implement user consent mechanisms, anonymize data, and maintain a data retention policy that aligns with regulatory guidelines. Conclusion Integrating AI into your startup is an exciting journey that requires careful planning and technical rigor. Choosing the right AI model, setting up an efficient infrastructure, mitigating potential challenges, and ensuring high-quality user experience are key to success. With the power of OpenAI, Anthropic, LiteLLM, and other LLMs at your fingertips, you can create smarter, more engaging AI features that will set your startup apart. Fine is an AI coding tool that can help your startup win in the packed race to release new, AI-powered technology. Ship faster, resolve bugs and improve user satisfaction by adopting Fine as your AI coding agent. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fine.dev/blog/ai-coding-tools-all#codiga
The Top AI Coding Tools and Assistants in 2024 Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back The Top AI Coding Tools and Assistants in 2024 Do you find yourself going crazy with all the different AI coding tools available? There are so many (here we list 32, but more are announced every week), it's hard to cut through the noise and understand which are the most useful AI coding tools. One thing is for certain: in today's fast-evolving software development landscape, AI coding tools are becoming essential for enhancing productivity, streamlining workflows, and improving code quality. Startups and agencies are looking to adopt the best AI coding tool to help them ship faster, better software and gain a competitive edge. This guide reviews 32 AI coding assistants available in 2024, discussing their features, pricing, and accessibility. Of course, we encourage you to check out Fine , the end-to-end AI coding tool designed to slot in to your team's collaborative workflows. Whilst many of the platforms listed focus on one aspect (code gen, testing, etc) - Fine is the AI Coding tool offering it all. Table of Contents Introduction Top 32 AI Coding Tools and Assistants Available for Immediate Use Fine.dev GitHub Copilot ChatGPT Amazon CodeWhisperer Tabnine Replit AI (Ghostwriter) Codiga Sourcery DeepCode (Snyk) CodeWP AIXcoder Cody (Sourcegraph) Figstack Android Studio Bot Amazon CodeGuru Security Mutable AI Ponicode Otter.ai Snyk Cursor Bolt Codium Qodo Void Editor Honeycomb Pear AI Magic AlphaCode Code Llama StableCode Visual Copilot Devin Conclusion FAQs Introduction Artificial Intelligence (AI) has revolutionized software development, with a plethora of coding tools now available to assist developers. Whether it's automating repetitive tasks, suggesting code improvements, or enhancing security, AI coding assistants have something to offer for every level of developer. Top 32 AI Coding Tools and Assistants Here’s a comprehensive list of the top AI coding assistants in 2024, divided into categories based on availability. Available for Immediate Use Fine  - End-to-end AI coding assistant for every stage of the dev lifecycle, with full context awareness. Fine learns your codebase via the GitHub integration to minimize errors and maximize usefulness. It can turn issues into PRs; add docs, tests and logs; answer questions about your code; make revisions to PRs or summarize them; review your code and more. Based in the cloud, it's available via mobile as well as desktop.  GitHub Copilot – Offers real-time code suggestions using OpenAI Codex. It helps developers write code more efficiently by predicting entire lines or blocks of code based on the context and the developer's intent. GitHub Copilot supports a wide range of programming languages and is integrated into popular development environments like Visual Studio Code, making it accessible and easy to use. Available plans start at $10/month. Pricing : $10/month (individual), $19/month (business) ChatGPT – Versatile AI assistant capable of code generation and debugging. A free version is available, while ChatGPT Plus costs $20/month. ChatGPT doesn't integrate with your codebase, so you'll need to copy and paste between your editor and the site. Pricing : Free, $20/month for Plus Amazon CodeWhisperer – Integrates seamlessly with AWS services, providing real-time code completions. Free tier available; Pro plan starts at $19/user per month. Pricing : Free, $19/user per month for Pro Tabnine – AI-powered code completion with a focus on privacy. Pricing : Free, $12/month for Pro Replit AI (Ghostwriter) – Collaborative cloud-based IDE offering code generation and debugging features, particularly useful for those with no coding experience or already using Replit. Pricing : $10/month for Core, $33/user per month for Teams Codiga – Real-time static code analysis tool with a free tier; Pro plan costs $14/month. Pricing : Free, $14/month for Pro Sourcery – AI code reviewer. Improves code quality through automated refactoring. Uses GPT4-turbo Pricing : Free for open-source, $12/month for Pro DeepCode (Snyk) – Detects security vulnerabilities in real-time. Free for individuals, with team plans starting at $27/month. Pricing : Free for individuals, $27/month per user CodeWP – AI-powered code generator specifically for WordPress. Pricing starts at $18/month. Pricing : Free, $18/month for Pro AIXcoder – Offers intelligent code completion with support for multiple IDEs. Free and custom enterprise plans available. Pricing : Free, custom pricing for enterprises Cody (Sourcegraph) – Supports project-wide code assistance, offering features like code navigation, large-scale search, and contextual help across entire projects, ensuring that developers can maintain consistency and quality across their entire codebase. Pricing : Free option available, paid plans start at $9 per month. Figstack – Assists with code documentation and optimization, priced at $10/month after a free trial. Pricing : $10/month after free trial Android Studio Bot – Available for free as part of Android Studio. Pricing : Free Amazon CodeGuru Security – Helps optimize code security, free for the first 90 days. Post-trial pricing is $10/month. Pricing : $10/month after first 90 days Mutable AI – Creates a wiki for your codebase. Pricing : Free for open source, basic plan starts at $2 per month. Snyk – Offers code and dependency vulnerability detection. Free for individuals; team plans start at $25/month. Pricing : Free for individuals, $27/month for teams Cursor – Cursor is a powerful AI coding assistant designed to streamline the software development process by providing intelligent code completions, contextual code suggestions, and explanations. It supports a wide range of programming languages and integrates smoothly with popular IDEs, making it an efficient tool for both individual developers and teams. Cursor aims to enhance productivity by reducing the time spent on repetitive coding tasks, offering automated code fixes, and facilitating collaboration. Free for basic use; premium features pricing varies. – Free for basic use; premium features pricing varies. Pricing : Varies Bolt – Although commonly described as a Cursor and V0 killer, Bolt seems to be a ChatGPT for front-end development. It's built by Stackblitz, the cloud-based web-development platform that lets you write, run and debug frontend code in your browser. Pricing : Free to start with paid subscriptions available in the app. Codeium – In-IDE AI coding assistant. Offers autocomplete, chat, and inline commands. Pricing : Free plan available, paid plans start at $10 per month. Qodo – AI coding tool that emphasis quality code, helping developers generate, test and review code. Pricing : Free version available, or $19 per month. Enterprise options available. Void Editor – Void describe themselves as an Open-Source alternative to Cursor offering greater privacy. Their logo seems similar to squarespace. Offers the ability to use the tab button to autocomplete the code you're writing - similar to GitHub Copilot. Waitlist access only, no pricing information available. Honeycomb – AI coding tool announced in August 2024 as a YC-backed startup, but the announcement and website have since disappeared. Still viewable on  X . Pear AI – AI-powered coding assistant focused on improving development workflows, available at Pear AI. Built as a fork of Continue, which is a fork of VSCode, leading to controversy during their launch. Pricing : Free plan available requiring your own API keys. "Junior" plan for $15 per month includes limited credits for Claude and GPT4o with more credits available for purchase.. Magic – Requires a waitlist to access during the early access phase. AlphaCode – Limited to research and special projects. Code Llama – Open-source, but some hosted services may be restricted. Stable Code Alpha – Available as part of stability.ai membership. Visual Copilot – AI coding assistant for design-to-code. Import designs from Figma and turn into code. Free plan available with 4K context window and 20 code generations; Basic plan $19 per month, Growth plan $39 per month. Devin – Available only in early access; requires joining the waitlist. Conclusion AI coding tools continue to evolve, offering unique features to boost developer productivity. From real-time code suggestions to comprehensive security checks, developers can choose from a variety of options based on their needs and budget. FAQs Q: Are there any free AI coding tools? A: Yes, many tools offer free tiers or trials, including Fine. Q: How can I access Devin or Magic? A: Both tools require joining a waitlist for early access. Q: Are these tools suitable for beginners? A: Yes, many of these tools cater to all skill levels, providing resources and support for new developers. Important note: Information about platforms, their availability, features and pricing, is based on an automated internet search and may be inaccurate or out-of-date. Last updated: 2024-10-10 Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#pricing
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fine.dev/blog/integrate-ai-technical-guide#8-performance-optimization-for-ai-integration
How to Integrate AI into Your Startup: A Technical Guide for CTOs Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Integrate AI into Your Startup: A Technical Guide for CTOs Table of Contents Define the Use Case for AI Choose Your AI Model Wisely Access and Integrate APIs Consider Latency and Cost for AI Integration Model Customization and Fine-Tuning for AI Infrastructure Considerations for AI Deployment Testing and Monitoring AI Systems Performance Optimization for AI Integration Ensure a Smooth User Experience with AI Leveraging LiteLLM for Seamless AI Integration Potential Challenges and Solutions in AI Integration Conclusion Integrating artificial intelligence into a startup's offerings is a transformative endeavor that enhances user experience and drives innovation. For CTOs aspiring to embed AI-powered features into their products, this guide provides a comprehensive overview of the technical aspects involved in integrating advanced language models such as OpenAI's GPT-4, Anthropic's Claude, and other leading large language models (LLMs). This document will help you navigate the complexities of incorporating AI, ensuring a successful and technically sound transition. 1. Define the Use Case for AI Before embarking on AI integration, it is essential to precisely define the problem that AI will address for your users. Will AI enhance customer support, summarize complex data, or add conversational capabilities? The specific use case will dictate the appropriate AI architecture and integration strategy. For instance, automating customer support might require real-time natural language understanding and response generation, whereas document analysis could involve batch processing and data summarization. Establishing these requirements upfront helps identify the optimal LLM, the necessary tuning, and the appropriate integration model. While anyone can create a chatbot using Retrieval-Augmented Generation (RAG), the distinction lies in how effectively your AI solution addresses genuine user challenges. A sophisticated AI-driven solution, like Fine’s approach, surpasses basic RAG implementations through advanced model fine-tuning, context-aware management, and a comprehensive integration workflow. This ensures that the AI-generated solutions are accurate, pertinent, and aligned with user needs, thereby delivering actionable insights that enhance user productivity and reduce friction. 2. Choose Your AI Model Wisely Selecting an appropriate large language model (LLM) is paramount for the successful integration of AI capabilities. Different LLMs exhibit distinct strengths: OpenAI's GPT-4 is renowned for its versatility, capable of executing complex tasks such as coding assistance, creative content generation, and language translation. This flexibility makes GPT-4 suitable for a wide range of applications. Anthropic's Claude emphasizes safety and controllability, making it a preferred choice for scenarios demanding rigorous risk mitigation, such as minimizing toxic or biased outputs. Cohere, Mistral, and Llama provide specialized models that excel in domains like multilingual support and cost-effective deployment. The selection of an AI model should align with your application's priorities—whether those are accuracy, safety, efficiency, or a combination of these factors. Real-time applications may benefit from models optimized for responsiveness, whereas batch processing tasks might prioritize throughput efficiency. 3. Access and Integrate APIs Most prominent LLMs offer APIs that facilitate straightforward integration, which is crucial for effective AI deployment. Below is a detailed guide on how to integrate these models, including practical code examples. Set up API Access : Obtain API keys from your preferred LLM provider. Providers like OpenAI and Anthropic offer detailed documentation to guide you through the setup of API access and configuration of usage limits. Python Example : import openai openai.api_key = 'YOUR_OPENAI_API_KEY' response = openai.Completion.create( engine="text-davinci-003", prompt="How do I integrate AI into my startup?", max_tokens=150 ) print(response.choices[0].text) Node.js Example : const { Configuration, OpenAIApi } = require("openai"); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); async function getResponse() { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: "How do I integrate AI into my startup?", max_tokens: 150, }); console.log(response.data.choices[0].text); } getResponse(); Backend Integration : Employ server-side languages like Python, Node.js, or Go to make API requests. Build a middleware layer that manages API requests, processes responses, and handles errors effectively. This middleware should ensure robustness in the face of API downtime and rate limitations. Python Middleware Example : from flask import Flask, request, jsonify import openai app = Flask(__name__) openai.api_key = 'YOUR_OPENAI_API_KEY' @app.route('/ask', methods=['POST']) def ask(): prompt = request.json.get("prompt") try: response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return jsonify(response.choices[0].text) except Exception as e: return jsonify({"error": str(e)}), 500 if __name__ == '__main__': app.run(debug=True) Node.js Middleware Example : const express = require('express'); const { Configuration, OpenAIApi } = require("openai"); const app = express(); const configuration = new Configuration({ apiKey: "YOUR_OPENAI_API_KEY", }); const openai = new OpenAIApi(configuration); app.use(express.json()); app.post('/ask', async (req, res) => { const prompt = req.body.prompt; try { const response = await openai.createCompletion({ model: "text-davinci-003", prompt: prompt, max_tokens: 150, }); res.json(response.data.choices[0].text); } catch (error) { res.status(500).json({ error: error.message }); } }); app.listen(3000, () => { console.log('Server is running on port 3000'); }); Optimize API Requests : To manage costs and improve response times, limit the data sent to the LLM by focusing on critical information. For complex queries, implement pre-processing (e.g., data summarization) and post-processing to enhance usability while minimizing the data payload. Python Example for Pre-processing : def preprocess_data(data): # Simplify data before sending to LLM return data[:500] # Example: trimming data to the first 500 characters prompt = preprocess_data(user_input) response = openai.Completion.create( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) 4. Consider Latency and Cost for AI Integration The costs associated with API usage can escalate rapidly as your application scales. To mitigate these costs while maintaining optimal AI performance, consider the following strategies: Cache Responses : Implement caching for frequently requested responses to minimize redundant API calls. Optimize Context Windows : Large context windows can be beneficial for understanding but come with increased costs. Focus on sending only necessary context to reduce expenses. Utilize Hybrid Models : Combine smaller, open-source models (e.g., Llama 2) for low-stakes interactions with high-accuracy models (e.g., GPT-4) for critical tasks. This hybrid approach helps manage costs while retaining key AI functionalities. 5. Model Customization and Fine-Tuning for AI Pre-trained LLMs are powerful but may require customization to meet specific domain needs effectively. Prompt Engineering : Carefully crafted prompts can often yield the desired output without necessitating model fine-tuning. Experiment with different prompt formats, including few-shot prompting, to guide the model effectively. Fine-Tuning : In cases where deeper domain expertise is necessary, consider fine-tuning the model. OpenAI, among others, offers fine-tuning options. Ensure that you use well-curated datasets to avoid introducing biases during this process. 6. Infrastructure Considerations for AI Deployment AI integration requires robust infrastructure modifications beyond simple API access: Scalability : LLMs can be resource-intensive. Design server infrastructure capable of handling increased traffic and added latency, particularly during peak demand. Data Privacy : Data passing through third-party AI models presents privacy risks. Anonymize user data and implement compliance measures in alignment with relevant data policies and regulations. Edge Deployment : For applications requiring minimal latency, such as IoT, consider deploying lightweight models on edge devices while leveraging cloud-based LLMs for more demanding processing. 7. Testing and Monitoring AI Systems AI systems are dynamic and behave differently from traditional software systems. Rigorous Testing : Test the AI model against edge cases and simulate diverse scenarios to identify potential failure modes. Human-in-the-loop : In high-stakes environments, incorporate mechanisms for human oversight to ensure AI outputs meet quality standards. User feedback should be continuously leveraged to refine model behavior. Continuous Monitoring : Track key metrics such as response latency, error rates, and user satisfaction to ensure ongoing performance optimization. 8. Performance Optimization for AI Integration Effective AI integration demands careful performance tuning to ensure scalability and responsiveness. Asynchronous Processing : Use asynchronous calls to avoid blocking application threads while waiting for LLM responses. This approach allows concurrent task handling, improving overall efficiency. Python Example (Asynchronous) : import openai import asyncio async def get_response(prompt): response = await openai.Completion.acreate( engine="text-davinci-003", prompt=prompt, max_tokens=150 ) return response.choices[0].text loop = asyncio.get_event_loop() prompt = "How can asynchronous processing improve AI performance?" response_text = loop.run_until_complete(get_response(prompt)) print(response_text) Load Balancing : Use load balancers to distribute incoming API requests across multiple servers, preventing any single server from becoming overwhelmed, particularly during periods of high demand. Node.js Example with Load Balancer : Use Nginx as a load balancer to manage and distribute traffic. upstream openai_backend { server server1.example.com; server server2.example.com; } server { listen 80; location /ask { proxy_pass http://openai_backend; } } Containerization with Docker : Docker containers help maintain consistent deployment environments, ensuring easy scaling. Use Kubernetes for orchestrating multiple containers, thereby achieving high availability. Dockerfile Example : # Use an official Python runtime as a parent image FROM python:3.9-slim # Set the working directory in the container WORKDIR /app # Copy the current directory contents into the container at /app COPY . /app # Install any needed packages specified in requirements.txt RUN pip install --no-cache-dir -r requirements.txt # Make port 80 available to the world outside this container EXPOSE 80 # Define environment variable ENV NAME World # Run app.py when the container launches CMD ["python", "app.py"] Kubernetes Deployment Example : apiVersion: apps/v1 kind: Deployment metadata: name: openai-app-deployment spec: replicas: 3 selector: matchLabels: app: openai-app template: metadata: labels: app: openai-app spec: containers: - name: openai-app image: openai-app-image:latest ports: - containerPort: 80 9. Ensure a Smooth User Experience with AI Finally, it’s critical to think about how users will interact with the AI feature. Transparency : Let users know when they’re interacting with an AI model and what its limitations are. This transparency builds trust. Fail Gracefully : In case of a failed API call or confusing AI response, have a fallback ready—such as a templated response or escalation to human support. This ensures the AI adds value rather than creating frustration. 10. Leveraging LiteLLM for Seamless AI Integration For startups looking to efficiently integrate and manage multiple LLMs, LiteLLM offers a powerful framework that simplifies the AI integration process. Here’s how LiteLLM can help: Unified API Access : LiteLLM provides a consistent interface to interact with over 100 LLMs, including those from OpenAI, Anthropic, Hugging Face, and Azure. This simplifies switching between different AI models without altering your codebase, allowing you to be flexible and agile in your AI strategy. Proxy Server (LLM Gateway) : LiteLLM’s proxy server acts as a gateway for centralized AI management. It allows teams to monitor usage, implement guardrails, and customize logging and caching across projects, providing a comprehensive control layer that ensures both security and consistency. Python SDK : The LiteLLM Python SDK helps developers integrate AI functionalities directly into their applications with ease. It standardizes input and output formats, supports retry and fallback mechanisms, and ensures seamless integration with multiple LLM providers. Cost Tracking and Budgeting : LiteLLM enables startups to monitor and manage AI expenditures by tracking usage and setting budgets per project. This feature helps maintain cost efficiency, especially as your AI applications scale. Observability and Logging : With support for tools like Langfuse, Helicone, and PromptLayer, LiteLLM ensures you have comprehensive observability over your AI interactions. This makes debugging easier and helps you track performance metrics to continuously refine your AI integration. Streaming and Asynchronous Support : LiteLLM supports streaming responses and asynchronous operations, which is crucial for real-time AI applications that require high responsiveness. By leveraging LiteLLM, you can simplify the integration of AI capabilities, enhance scalability, and maintain cost-efficiency, making it an excellent choice for startups aiming to incorporate multiple LLMs into their tech stack. 11. Potential Challenges and Solutions in AI Integration Integrating AI into your startup comes with challenges. Here are some common pitfalls and strategies for overcoming them: Common AI Pitfalls Data Privacy Concerns : User data may be exposed during LLM interactions, creating privacy risks. Solution : Implement data anonymization techniques to strip out personally identifiable information (PII) before sending it to third-party AI models. Use encryption for data in transit and consider local processing where possible to limit exposure. Model Bias : AI LLMs can exhibit biases based on the data they were trained on, which may result in unintended consequences in your application. Solution : Conduct regular audits of model outputs to identify biases. Fine-tune AI models using curated datasets that reflect your users' diversity and values. Introduce human-in-the-loop systems to flag and correct problematic outputs. Scalability Issues : As your startup scales, increased API requests can lead to performance bottlenecks. Solution : Implement load balancing and use a combination of asynchronous processing and containerized deployments (e.g., Docker and Kubernetes) to ensure your infrastructure can scale efficiently with growing demand. Risk Management in AI Integration Model Failures : AI models can fail unpredictably, providing incorrect or incomplete responses. Solution : Use fallback strategies—if the AI model fails, implement default responses or escalate to human support. This ensures continuity in service and maintains user satisfaction. Maintaining Uptime : Relying on external LLM APIs can lead to outages that affect your product. Solution : Use redundant AI APIs from multiple providers. Incorporate a caching layer to serve responses for common queries even if the API is down. Compliance with Data Protection Regulations : Handling user data comes with legal responsibilities, including compliance with regulations like GDPR or CCPA. Solution : Work with legal experts to understand the specific data handling requirements in your region. Implement user consent mechanisms, anonymize data, and maintain a data retention policy that aligns with regulatory guidelines. Conclusion Integrating AI into your startup is an exciting journey that requires careful planning and technical rigor. Choosing the right AI model, setting up an efficient infrastructure, mitigating potential challenges, and ensuring high-quality user experience are key to success. With the power of OpenAI, Anthropic, LiteLLM, and other LLMs at your fingertips, you can create smarter, more engaging AI features that will set your startup apart. Fine is an AI coding tool that can help your startup win in the packed race to release new, AI-powered technology. Ship faster, resolve bugs and improve user satisfaction by adopting Fine as your AI coding agent. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fine.dev/blog/remote-first-tech-startup#3-create-an-inclusive-team-culture
How to Build a Remote-First Tech Team as a Startup CTO: Tools and Tactics Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Build a Remote-First Tech Team as a Startup CTO: Tools and Tactics Building a successful remote-first tech team requires the right tools and tactics. Some startups thrive off of remote workers around the world - others are sunk by inefficiency and communication failures. In this post, we'll explore essential steps and technologies to help you build a high-performing remote-first team. Table of Contents Establish a Strong Communication Foundation Use the Right Collaboration Tools Create an Inclusive Team Culture Hire for Remote-Friendly Qualities Focus on Employee Well-Being Measure Team Performance Effectively Prioritize Security and Data Protection Choose a Collaborative AI Platform Stay on Top of Code Reviews 1. Establish a Strong Communication Foundation Communication is the lifeline of any remote-first tech team. Ensuring that everyone stays connected and informed requires a blend of asynchronous and real-time communication tools. As a startup CTO, consider investing in: Slack or Microsoft Teams for real-time messaging and updates. Zoom or Google Meet for video calls, meetings, and check-ins. Loom for recording walkthroughs and sharing asynchronous video updates. The key to building a cohesive team is setting clear expectations about how and when different tools should be used. Creating guidelines for communication not only helps streamline workflow but also reduces burnout by ensuring team members can disconnect after work hours. 2. Use the Right Collaboration Tools Your tech stack is crucial to enabling effective collaboration among remote engineers. Select tools that encourage transparency and make collaboration as seamless as possible. Here are some must-have tools for remote-first tech teams: GitHub or GitLab for version control and managing code collaboratively. Jira or Linear for tracking tasks and sprint planning. Confluence or Notion for documenting processes, creating shared knowledge bases, and improving accessibility to resources. A well-documented codebase and clearly defined processes empower developers to operate independently, minimizing bottlenecks and improving productivity. 3. Create an Inclusive Team Culture Fostering an inclusive and collaborative culture is essential to the success of a remote-first team. This starts with ensuring all voices are heard, regardless of geographic location. Here are a few tactics that can help: Regular Virtual Meetups : Schedule weekly check-ins or team-building events where team members can share updates, ask questions, and bond. Async Standups : Consider using tools like Geekbot to automate daily standups, enabling each member to share their progress and blockers asynchronously. Recognition and Feedback : Use platforms like 15Five to gather feedback and recognize individual contributions. It helps foster a positive work environment where team members feel valued. 4. Hire for Remote-Friendly Qualities Hiring for a remote-first tech team requires different criteria compared to an on-site environment. It’s crucial to look for qualities such as excellent written communication, self-motivation, and the ability to work autonomously. During the interview process, assess candidates for their comfort level with remote work by asking questions about their previous remote experiences, how they manage their time, and how they communicate asynchronously. Tools like HireVue can assist in conducting initial screenings through video interviews, allowing you to see how well candidates adapt to remote-first communication. Remember, some people thrive on the office atmosphere and are less efficient working from home, surrounded by distractions ranging from laundry to kids. Ask for an honest self-assessment: where do you perform better? When working from home, what does your day look like?  5. Focus on Employee Well-Being Employee well-being is fundamental for retaining top talent in a remote-first setup. As a startup CTO, your team's health should be a priority. Encourage employees to establish work-life balance, take breaks, and avoid overworking. Here are some ways to promote well-being: Flexible Work Hours : Give your team flexibility to work when they are most productive, keeping in mind that different time zones require adjustments. Wellness Programs : Platforms like Headspace or Calm can offer resources to help employees reduce stress and improve their mental health. No-Meeting Days : Designate a day of the week for no meetings to help everyone focus on deep work without interruptions. Context switching is a huge productivity killer. 6. Measure Team Performance Effectively Measuring performance in a remote-first environment can be tricky. Instead of relying on metrics like hours worked, focus on output-based performance indicators. Use tools like GitPrime to understand productivity metrics without micro-managing. Set clear, outcome-based goals for each team member and evaluate success based on these targets. Regular one-on-ones are also key for providing guidance, discussing blockers, and keeping each team member aligned with the broader business goals. 7. Prioritize Security and Data Protection Security is a non-negotiable aspect of building a remote-first tech team. Your remote employees will be accessing company resources from various locations, which presents unique challenges in terms of data protection. VPN and Endpoint Protection : Make sure that your team uses a secure VPN and endpoint protection software when accessing company servers. Password Managers : Tools like 1Password or LastPass can help keep team credentials secure. Multi-Factor Authentication : Enforce MFA to ensure that access to sensitive data is protected. Establishing best practices for security and ensuring that everyone understands the importance of cybersecurity is critical to preventing data breaches and protecting your business. 8. Choose a Collaborative AI Platform Selecting the right AI platform is essential for boosting productivity and collaboration among your remote team. Fine is designed specifically for teams, offering seamless integration with tools like Linear and GitHub, making it ideal for remote work. Unlike IDE-based AI assistants that are more suited for solo developers, Fine provides an all-in-one AI coding agent that enhances teamwork and accelerates startup growth. 9. Stay on Top of Code Reviews When working remotely, it can be easy for developers to finish writing code and leave it sitting, waiting for review for days or even weeks. Code reviews are essential for maintaining quality and ensuring knowledge sharing across the team. Use tools like Linear and GitHub to keep track of open tickets and close them efficiently. Setting up automated reminders for reviewers can help ensure that reviews are completed promptly, keeping the team moving forward and avoiding bottlenecks. Conclusion Building a remote-first tech team as a startup CTO is no easy feat, but with the right tools and strategies, it can lead to a more diverse and efficient development team. By focusing on communication, collaboration, culture, and security, you can create an environment where your remote team can thrive and innovate. The success of a remote-first team lies not just in the tools you use, but in how you nurture your team culture and make everyone feel connected despite the distance. Start small, iterate, and adapt as you learn more about your team’s needs—that’s how you’ll build a resilient and agile remote-first team ready for anything. Are you looking to streamline your development processes with collaborative AI coding? Discover how Fine  can help your remote team collaborate better to ship software and boost productivity. Sign up today and see what AI-driven development can do for you! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fsf.org/campaigns/free-bios.html
Campaign for Free BIOS — Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › Campaigns › Campaign for Free BIOS Info The Free Software Foundation's Campaign for Free BIOS (Also available in: Spanish , Italiano , although these versions may be outdated.) In 1984 the GNU Project set out to make it possible to operate a computer in freedom--to operate it without any non-free software that would deny the user's freedom At the time, the obstacle to this was simply the operating system. A computer won't run without an operating system, but all the modern operating systems of 1983 were proprietary, user-subjugating software. There was no way to use modern computers in freedom. We set out to change the situation by developing a free software operating system, called GNU. When the kernel Linux became free software in 1992, it filled the last gap in GNU. The combined GNU/Linux operating system achieved our goal: you could install it in a bare PC, and run the computer without any installed non-free software. Strictly speaking, there was a non-free program in that computer: the BIOS. But that was impossible to replace, and by the same token, it didn't count. The BIOS was impossible to replace because it was stored in ROM: the only way to to put in a different BIOS was by replacing part of the hardware. In effect, the BIOS was itself hardware--and therefore didn't really count as software. It was like the program that (we can suppose) exists in the computer that (we can suppose) runs your watch or your microwave oven: since you can't install software on it, it may as well be circuits, not a computer at all. The ethical issues of free software arise because users obtain programs and install them in computers; they don't really apply to hidden embedded computers, or the BIOS burned in a ROM, or the microcode inside a processor chip, or the firmware that is wired into a processor in an I/O device. In aspects that relate to their design, those things are software; but as regards copying and modification, they may as well be hardware. The BIOS in ROM was, indeed, not a problem. Since that time, the situation has changed. Today the BIOS is no longer burned in ROM; it is stored in nonvolatile writable memory that users can rewrite. Today the BIOS sits square on the edge of the line. It comes prewritten in our computers, and normally we never install another. So far, that is just barely enough to excuse treating it as hardware. But once in a while the manufacturer suggests installing another BIOS, which is available only as an executable. This, clearly, is installing a non-free program--it is just as bad as installing Microsoft Windows, or Adobe Photoshop. As the unethical practice of installing another BIOS executable becomes common, the version delivered inside the computer starts to raise an ethical problem issue as well. The way to solve the problem is to run a free BIOS. And our community has developed free BIOSes--for instance, GNU Boot or Canoeboot . While the number of computers for which a free BIOS is available is growing, it is just a tiny fraction of all computers available for purchase. Whereas "PC clones" were and are quite similar, and fully-documented as regards what the kernel and user-space programs need to know, the commands that the BIOS must execute in order to initialize the machine are varied, and in most cases secret. How to install a new BIOS is also secret on many machines. And so far, most manufacturers have not given us the necessary cooperation of providing these specifications. Some desktop machines can run a free BIOS, but we don't know of any currently available laptop that can do so, but some older ThinkPad models can. Some of the laptops used at the FSF were donated by IBM. This was one among several ways IBM cooperated with the GNU Project. But the cooperation is incomplete: when we asked for the specifications necessary to make a free BIOS run on these laptops, IBM refused, citing, as the reason, the enforcement of "trusted computing" (Update: since the time of writing, the free software community found a technical workaround to this problem and all laptops used by the FSF now run a free BIOS). Treacherous computing is, itself, an attack on our freedom; it is also, it seems, a motivation to obstruct our freedom in other ways. Not all of our community perceives the non-free BIOS as an acute problem. Much of our community supports the open source philosophy, which says that the issue at stake is choosing a development model that produces powerful, reliable software. The open source philosophy doesn't say that "closed source" software is unethical, only that it is likely not to be as reliable. People who hold those views might not care about the loss of freedom imposed by a non-free BIOS, because in their philosophy, freedom is not the issue. For us in the free software movement, freedom is the main issue; we have to solve this problem, whether they help or not. 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Help the FSF stay strong Ring in the new year by supporting software freedom and helping us reach our goal of 100 new associate members ! Free software campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software Defective by Design End Software Patents OpenDocument Free BIOS Past campaigns Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:37
https://dev.to/luigiescalante
Luigi Escalante - 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 Luigi Escalante Software Engineer fan from Ethical Hacking, Software Architecture, Anime and Coffee. Location Mexico Joined Joined on  May 21, 2023 Personal website https://www.linkedin.com/in/luis-antonio-escalante-gutierrez/ github website Education Information tecnologies Bachelor's degree and Security Information Master's degree. Work Senior Software Engineer More info about @luigiescalante Badges 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 Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Skills/Languages Go, Python, Ethical Hacking, Linux. Post 7 posts published Comment 0 comments written Tag 3 tags followed Choosing Your Path: Avenger (Front-End) vs Men in Black (Back-End) Luigi Escalante Luigi Escalante Luigi Escalante Follow Jan 5 Choosing Your Path: Avenger (Front-End) vs Men in Black (Back-End) # discuss # beginners # career # webdev Comments Add Comment 5 min read Go Redis Crud quickly example Luigi Escalante Luigi Escalante Luigi Escalante Follow Aug 17 '24 Go Redis Crud quickly example # go # redis # cache Comments Add Comment 2 min read Go Bun ORM with PostgreSQL Quickly Example Luigi Escalante Luigi Escalante Luigi Escalante Follow Feb 12 '24 Go Bun ORM with PostgreSQL Quickly Example # go # orm # postgres 1  reaction Comments Add Comment 3 min read AWS S3 (SDK v2) in Go Quickly example Luigi Escalante Luigi Escalante Luigi Escalante Follow Jan 26 '24 AWS S3 (SDK v2) in Go Quickly example # go # s3 # aws 1  reaction Comments Add Comment 2 min read Agregar un acceso directo a una app en GNU/Linux Gnome Luigi Escalante Luigi Escalante Luigi Escalante Follow Jun 11 '23 Agregar un acceso directo a una app en GNU/Linux Gnome 2  reactions Comments Add Comment 1 min read Instalar Java JDK en GNU/Linux Luigi Escalante Luigi Escalante Luigi Escalante Follow Jun 11 '23 Instalar Java JDK en GNU/Linux 1  reaction Comments Add Comment 2 min read Usar repositorios privados de GitHub en GO Luigi Escalante Luigi Escalante Luigi Escalante Follow Jun 11 '23 Usar repositorios privados de GitHub en GO 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:49:37
https://future.forem.com/t/blockchain/page/2
Blockchain Page 2 - Future 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 Future Close Blockchain Follow Hide A decentralized, distributed, and oftentimes public, digital ledger consisting of records called blocks that are used to record transactions across many computers so that any involved block cannot be altered retroactively, without the alteration of all subsequent blocks. Create Post Older #blockchain posts 1 2 3 4 5 6 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Blockchain Oracles: How Smart Contracts See the Real World (Featuring Chainlink) Ribhav Ribhav Ribhav Follow Dec 24 '25 Blockchain Oracles: How Smart Contracts See the Real World (Featuring Chainlink) # crypto # blockchain # beginners # web3 1  reaction Comments Add Comment 7 min read LëtzNova - the ultimate smart-city across all verticals. Decker Csoma Garcia Biagi Decker Csoma Garcia Biagi Decker Csoma Garcia Biagi Follow Nov 20 '25 LëtzNova - the ultimate smart-city across all verticals. # ai # iot # blockchain # cloud Comments Add Comment 5 min read DAOs in Practice – From Multi-Sig to Voting (And Why Ownership Tokens exist) Ribhav Ribhav Ribhav Follow Dec 22 '25 DAOs in Practice – From Multi-Sig to Voting (And Why Ownership Tokens exist) # crypto # blockchain # beginners # web3 2  reactions Comments Add Comment 6 min read Stablecoins – The Bridges Between Volatility and Value Ribhav Ribhav Ribhav Follow Dec 20 '25 Stablecoins – The Bridges Between Volatility and Value # crypto # blockchain # stablecoins # beginners 2  reactions Comments Add Comment 4 min read 6G vs 5G – Future of Mobile Internet Sanjay Naker Sanjay Naker Sanjay Naker Follow Nov 15 '25 6G vs 5G – Future of Mobile Internet # ai # blockchain # crypto # productivity Comments Add Comment 3 min read 21Shares ETFs Signal Next Wave of Crypto Integration And the Rise of Real-World Crypto Utility Vin Cooper Vin Cooper Vin Cooper Follow Nov 13 '25 21Shares ETFs Signal Next Wave of Crypto Integration And the Rise of Real-World Crypto Utility # blockchain # crypto # productivity Comments Add Comment 1 min read Layer 2 Solutions Deep-Dive: Optimistic vs ZK Rollups Explained Ribhav Ribhav Ribhav Follow Dec 16 '25 Layer 2 Solutions Deep-Dive: Optimistic vs ZK Rollups Explained # crypto # blockchain # community # beginners Comments Add Comment 6 min read Consensus Mechanisms Explained: How Blockchain Networks Agree Without a Boss Ribhav Ribhav Ribhav Follow Dec 15 '25 Consensus Mechanisms Explained: How Blockchain Networks Agree Without a Boss # crypto # blockchain # community # beginners Comments Add Comment 9 min read Ethereum Price Outlook: Can ETH Reclaim $4,000 After Bitcoin’s Breakout? Philip Laurens Philip Laurens Philip Laurens Follow Nov 11 '25 Ethereum Price Outlook: Can ETH Reclaim $4,000 After Bitcoin’s Breakout? # blockchain # cryptocurrency # web3 # bitcoin 1  reaction Comments Add Comment 2 min read Spotting Trend Reversals: How Morning & Evening Star Patterns Flip the Market Vin Cooper Vin Cooper Vin Cooper Follow Nov 10 '25 Spotting Trend Reversals: How Morning & Evening Star Patterns Flip the Market # ai # blockchain # crypto # productivity Comments Add Comment 1 min read The Future of Crypto: A World Where We Don’t Even Call It “Crypto” Anymore 🚀 Emir Taner Emir Taner Emir Taner Follow Dec 2 '25 The Future of Crypto: A World Where We Don’t Even Call It “Crypto” Anymore 🚀 # blockchain # web3 # datascience # webdev 3  reactions Comments 1  comment 2 min read 🚀 Why “Tokenization of Assets” Might Be the Biggest Shift in Finance Since the Internet Rakshan Kangovi Rakshan Kangovi Rakshan Kangovi Follow Dec 14 '25 🚀 Why “Tokenization of Assets” Might Be the Biggest Shift in Finance Since the Internet # tokenization # blockchain # finance # commerce 2  reactions Comments Add Comment 6 min read Understanding Tokenomics – Why Token Design Matters Ribhav Ribhav Ribhav Follow Dec 13 '25 Understanding Tokenomics – Why Token Design Matters # crypto # blockchain # community # beginners Comments Add Comment 7 min read NFTs Explained Simply – What’s Actually Happening in 2025? Ribhav Ribhav Ribhav Follow Dec 12 '25 NFTs Explained Simply – What’s Actually Happening in 2025? # blockchain # web3 # community # crypto Comments Add Comment 6 min read Does Blockchain Actually Work? A Beginner’s Guide Without the Jargon Kevin Kevin Kevin Follow Dec 11 '25 Does Blockchain Actually Work? A Beginner’s Guide Without the Jargon # techtalks # blockchain # web3 # ai Comments 2  comments 3 min read DeFi 101: Decentralized Finance Ribhav Ribhav Ribhav Follow Dec 11 '25 DeFi 101: Decentralized Finance # web3 # blockchain # fintech # community Comments Add Comment 7 min read Your First Ethereum Smart Contract, Step by Step Ribhav Ribhav Ribhav Follow Dec 10 '25 Your First Ethereum Smart Contract, Step by Step # crypto # ethereum # blockchain # beginners 1  reaction Comments Add Comment 5 min read Bitcoin Liquidity Is Recovering and Price Might Follow Soon Vin Cooper Vin Cooper Vin Cooper Follow Nov 6 '25 Bitcoin Liquidity Is Recovering and Price Might Follow Soon # blockchain # crypto # productivity 1  reaction Comments Add Comment 1 min read Why Ethereum Needs Layer 2s (for Curious Builders and Beginners) Ribhav Ribhav Ribhav Follow Dec 9 '25 Why Ethereum Needs Layer 2s (for Curious Builders and Beginners) # blockchain # crypto # ethereum # community Comments Add Comment 3 min read Ethereum Wallets and Gas (for Non‑Technical People) Ribhav Ribhav Ribhav Follow Dec 8 '25 Ethereum Wallets and Gas (for Non‑Technical People) # crypto # blockchain # web3 # community Comments Add Comment 3 min read Smart Contracts and dApps on Ethereum (for Non‑Technical People) Ribhav Ribhav Ribhav Follow Dec 6 '25 Smart Contracts and dApps on Ethereum (for Non‑Technical People) # crypto # blockchain # smartcontracts # community Comments Add Comment 4 min read Ethereum for Non-Technical People: The Programmable Blockchain Ribhav Ribhav Ribhav Follow Dec 3 '25 Ethereum for Non-Technical People: The Programmable Blockchain # crypto # blockchain # ethereum # education 2  reactions Comments 1  comment 5 min read Bitcoin Clears $88K After the Trump–Xi Call And a Quiet Market Signal Is Starting to Matter Vin Cooper Vin Cooper Vin Cooper Follow Nov 24 '25 Bitcoin Clears $88K After the Trump–Xi Call And a Quiet Market Signal Is Starting to Matter # ai # blockchain # productivity # crypto Comments 1  comment 2 min read The Future of Liquidity: How Perp-DEXs and Hybrid Platforms Are Redefining Market Structure Vin Cooper Vin Cooper Vin Cooper Follow Nov 5 '25 The Future of Liquidity: How Perp-DEXs and Hybrid Platforms Are Redefining Market Structure # ai # blockchain # productivity # crypto 1  reaction Comments Add Comment 1 min read Grok AI: A Deep Dive into xAI’s Maverick Chatbot Sanjay Naker Sanjay Naker Sanjay Naker Follow Nov 5 '25 Grok AI: A Deep Dive into xAI’s Maverick Chatbot # ai # blockchain # productivity # grok 1  reaction Comments 2  comments 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 Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. 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 . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account
2026-01-13T08:49:37
https://go.opensource.org/capitalone
Open Source Software, Applications & Solutions | Capital One Skip to main content Credit Cards Types of Credit Cards Credit Building Credit Level: Fair to Rebuilding Cash Back Rewards Credit Level: Excellent to Fair Travel Rewards Credit Level: Excellent to Good Student Rewards Credit Level: Fair Business Rewards Credit Level: Excellent to Fair Credit card overview Credit card overview Find a Credit Card See if You're Pre-Approved Compare All Cards Redeem a Mail Offer Tips & Tools Credit Card Benefits Capital One Travel Capital One Shopping Track Credit with CreditWise® Credit Card FAQs Common Account Tasks Pay Credit Card Bill Activate Credit Card Track your credit score with CreditWise Learn More Checking & Savings Savings 360 Performance Savings™ Competitive rate with no fees 360 CDs® Fixed-rate savings for a set term Kids Savings Account Parent-controlled savings for children Compare all savings accounts Checking 360 Checking® Fee-free accounts accessible 24/7 MONEY Teen Checking Accounts for kids to learn and earn Compare all checking accounts Compare all accounts & rates Find a Bank Account Checking & Savings Overview View All Savings Accounts View All Checking Accounts View All Kids & Teens Accounts Compare all accounts Bank With Confidence Financial Resources & Tools Banking Overview Online Banking Benefits Fee-Free Overdraft Options Manage Your Account Send & Receive Zelle® Payments 360 Checking Features 360 Performance Savings Features Download the Mobile App Beyond the Branch Capital One Cafés Visit & explore a local Café Money & Life Program Support & achieve your financial goals Ways to Bank Explore locations & digital experiences Enjoy checking with no fees or minimums. Learn more Auto Auto Navigator Shop for a Car Search millions of cars nationwide Pre-Qualify for an Auto Loan See real rates with no credit impact Instantly see your car's estimate Track your car's value over time Auto Refinance Refinance Your Car See if you can lower your payment Pre-Qualify for Refinancing Check eligibility with no credit impact Auto overview Auto overview Get Your Offer View Your Pre-Approval Offer Continue Refinance Application Learn About Auto Car Research & Reviews Car Financing Resources Auto Loans FAQ Dealer Resources Manage Your Account Activate Your Account Make a Payment Download the Mobile App Submit Feedback or a Complaint Shop With Confidence Car Payment Calculator Calculate your monthly payment Car Dealers Near You View & filter inventory in your area Ask the right questions when car shopping Get helpful tips Business Shop Business Cards Compare All Business Cards Choose the right one for your business Travel Rewards Earn miles for flights, hotels and more Cash Back Earn up to 2% cash back Business Banking Accounts Business Checking Accounts for any stage of business Business Savings Grow your money with a promotional rate Business overview Business overview Business Card Solutions Business Cards Overview Charge Cards Reach a Relationship Manager Find a Banking Solution Business Banking Overview Escrow Express Loans & Lines of Credit Payment Solutions Card Payment Processing Accounts Payable Empower Your Business Business Card Benefits View all benefits for business cardholders Refer a Business Get rewarded by referring a business to Capital One Business Resources Resources to help your business move forward Earn 400k bonus miles with Venture X Business View offer Commercial Commercial Banking Why Bank With Us Learn about us & meet our leaders Commercial Insights Read case studies & market insights Financial Solutions Financing & Lending Find a solution in your industry Capital Markets View our tailored products & services Treasury Management Simplify your financial operations View commercial options View commercial options Simplify Payments Unlock Accounts Payable Get a Business Card Explore Trade Credit Understand Our Impact Community Finance New Markets Tax Credits The Capital One Impact Initiative Stay Connected Sign In to Your Commercial Account Contact Our Team Work With Industry Experts Commercial Real Estate Leverage the resources of a $100B portfolio Financial Sponsor Group Get certainty of execution & long-term partnerships Explore All Industries Find solutions to move your business forward Capitalize on investment banking solutions. Explore solutions Benefits & Tools More Than a Bank Capital One Shopping Get our free tool for online deals Capital One Cafés Enjoy coffee, wifi & banking Learn & Grow Check out financial learning resources Get Started With Confidence Credit Card Pre-Approval Find a Car with Auto Navigator Connect Your Money and Life Tools to Take You Further Monitor Credit with CreditWise View Mobile App Features Explore All Digital Tools Grow Your Business Business Hub Learning Business Credit Card Benefits Rewards & Experiences Capital One Travel Book travel, get low prices & redeem miles Capital One Entertainment Get tickets for music, sports & events Capital One Dining Reserve your table at unique restaurants Credit Card Benefits Explore built-in card benefits Find great deals with Capital One Shopping Get free coupon Open Source at Capital One Tech AI Research Publications Academia Blog Careers Tech Sections AI Research Publications Academia Blog Careers Open source at Capital One Prioritizing open source with contributions to 100+ projects. Featured Open Source articles Software Engineering Decision Model and Notation Article | December 9, 2024 | 11 min read Open Source InnerSource building Article | February 20, 2024 | 11 min read Open Source Open source trends Article | March 5, 2024 | 4 min read FEATURED OPEN SOURCE SOFTWARE PROJECTS Rubicon-ml A data science tool designed to capture all information and artifacts relating to a model during training and monitoring. Data profiler A Python library designed to make data analysis, monitoring and sensitive data detection easy. Federated model aggregation FMA is a lightweight, serverless solution for deployment of a distributed model training workflow to a federated learning (FL) infrastructure on the source device. All Open Source Articles open source Open source trends article | March 5, 2024 | 4 min read open source InnerSource building article | February 20, 2024 | 11 min read open source DataComPy & Fugue synergy article | January 9, 2024 | 3 min read open source Data integration guide article | November 20, 2023 | 6 min read open source Lessons learned from Python article | October 23, 2023 | 7 min read open source Build faster with Flutter article | September 6, 2023 | 8 min read open source Concat dataframes and series article | August 15, 2023 | 7 min read open source PyTorch features and tips article | June 27, 2023 | 9 min read open source Responsible Node.js for enterprise article | May 9, 2023 | 4 min read Load more Tech Careers at Capital One Building the next generation of tech talent At Capital One, you’ll tackle challenging industry problems at the intersection of technology and finance. Join our team! Explore opportunities You are now leaving the Capital One website You're leaving the Capital one website and heading to an external site. It may have different privacy and security policies, so take a moment to check them out. Proceed Cancel Footnotes Learn more about FDIC insurance coverage . ©2026 Capital One Privacy AdChoices Terms & Conditions
2026-01-13T08:49:37
https://www.fsf.org/working-together
Working together for free software — Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › Working together for free software Info Working together for free software by Free Software Foundation Contributions — Published on Jun 24, 2010 03:29 PM Free software is simply software that respects our freedom — our freedom to learn and understand the software we are using. Free software is designed to free the user from restrictions put in place by proprietary software, and so using free software lets you join a global community of people who are making the political and ethical assertion of our rights to learn and to share what we learn with others. The free software GNU operating system, which began development in 1984 is now used by millions of people worldwide as a replacement to both Microsoft Windows and Apple's macOS operating systems. Because most software we buy or download from the web denies us these rights , we can look at the reasons why: usually we don't actually buy ownership of the software but instead, receive a license to use the software, binding us with many fine-print rules about what we can and cannot do . We should be able to make copies of software and give them to our friends, we should be able to figure out how programs work and change them, we should be able to put copies of software on all the computers in our home or office — these are all things that software licenses are traditionally designed to prevent. Enter the free software movement: groups of individuals in collaboration over the Internet and in local groups, working together for the rights of computer users worldwide, creating new software to replace the bad licenses on your computer with community built software that removes the restrictions put in place and creates new and exciting ways to use computers for social good. Meet the community Meet the Free Software Community Look who's using free software Get started with free software Learn how you can install free software on your computer Meet some of the free software programs you can install Through our Working Together for Free Software campaign fund , you can donate to help advance free software in specific areas. The next steps towards full free software Take the next steps toward complete software freedom For free software projects Join the Working Together for Free Software Fund Read this page in Spanish . Прочитайте эту страницу на русском языке. Document Actions Share on social networks Syndicate: News Events Blogs Jobs GNU 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:37
https://www.fsf.org/windows/
Upgrade from Windows — Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › Windows Info Upgrade from Windows by Free Software Foundation Contributions — Published on Jul 29, 2015 05:16 PM Read this article in Spanish . Microsoft uses draconian law to put Windows, the world's most-used operating system, completely outside the control of its users. Neither Windows users nor independent experts can view the system's source code, make modifications or fixes, or copy the system. This puts Microsoft in a dominant position over its customers, which it takes advantage of to treat them as a product . By contrast, free software like the GNU/Linux operating system is developed by professional and volunteer communities working transparently, freely sharing their work with each other and the world. Users have meaningful influence over the software development process and complete choice over what code they run. This means the software usually treats them with respect. Even if a free software developer took a page from Microsoft's book and began abusing its users, it would have no way to keep them locked in -- when this happens, independent experts copy the source code, remove the offending bits and help people switch to the user-respecting version. Pledge to switch to GNU/Linux or help a friend switch Keep putting pressure on Microsoft   Try a free OS and programs The FSF maintains a list of endorsed GNU/Linux distributions , and there are myriad resources online for getting started. If you want to try free software but you can't be persuaded to leave Windows quite yet, try these free programs that work on Windows . Spread the word We can't hope to match Microsoft's huge advertising budget, but if you're on social media you can help us show there's another way: use the #FreeFromWindows hashtag and encourage your followers to steer clear of Windows.   Examples of Windows' abuses Windows 11 requires the use of a TPM , an example of treacherous computing . By requiring a TPM, Microsoft can impose more severe DRM on media, and refuse to install programs that Microsoft doesn't approve. Windows 11 requires a Microsoft account to be connected to every local user account, giving Microsoft more ability to spy on their users -- and correlate what they do on the machine with their personal identity. Windows 11 sends BitLocker hard drive encryption keys back to Microsoft by default. Windows' 10's privacy policy asserts the privilege to sell almost any information it wants about users , even creating a unique advertising ID for each user to sweeten the deal. Microsoft announced that, starting with Windows 10, it will begin forcing lower-paying users to test less-secure new updates before giving higher-paying users the option of whether or not to adopt them. Microsoft is reported to give the NSA special security tip-offs that it could use to crack into Windows computers . This is just the tip of the iceberg. To read more about Microsoft's mistreatment of its users, see the list on gnu.org . Watch a short video about the free software movement Materials specific to each recent version of Windows Read about the Windows 10 update cliff and what you can do about it Life's better together when you avoid Windows 11 The FSF's statement on Windows 10 Upgrade from Windows 8 Windows 7 Sins Upcycle Windows 7 Infographic Download as .svg . Free fonts used: Ostrich Sans Rounded, League Gothic, and Junction Download as horizontal .svg or half-page and square buttons. Translations of the infographic (many are the Windows 8 version) Embed this image on your site <a href="https://upgradefromwindows.org"><img src="//static.fsf.org/fsforg/graphics/windows-infographic_share.png" alt="Close Windows, Open Doors"/></a> Document Actions Share on social networks Syndicate: News Events Blogs Jobs GNU 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:37
https://www.fine.dev/blog/remote-first-tech-startup#pricing
How to Build a Remote-First Tech Team as a Startup CTO: Tools and Tactics Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Build a Remote-First Tech Team as a Startup CTO: Tools and Tactics Building a successful remote-first tech team requires the right tools and tactics. Some startups thrive off of remote workers around the world - others are sunk by inefficiency and communication failures. In this post, we'll explore essential steps and technologies to help you build a high-performing remote-first team. Table of Contents Establish a Strong Communication Foundation Use the Right Collaboration Tools Create an Inclusive Team Culture Hire for Remote-Friendly Qualities Focus on Employee Well-Being Measure Team Performance Effectively Prioritize Security and Data Protection Choose a Collaborative AI Platform Stay on Top of Code Reviews 1. Establish a Strong Communication Foundation Communication is the lifeline of any remote-first tech team. Ensuring that everyone stays connected and informed requires a blend of asynchronous and real-time communication tools. As a startup CTO, consider investing in: Slack or Microsoft Teams for real-time messaging and updates. Zoom or Google Meet for video calls, meetings, and check-ins. Loom for recording walkthroughs and sharing asynchronous video updates. The key to building a cohesive team is setting clear expectations about how and when different tools should be used. Creating guidelines for communication not only helps streamline workflow but also reduces burnout by ensuring team members can disconnect after work hours. 2. Use the Right Collaboration Tools Your tech stack is crucial to enabling effective collaboration among remote engineers. Select tools that encourage transparency and make collaboration as seamless as possible. Here are some must-have tools for remote-first tech teams: GitHub or GitLab for version control and managing code collaboratively. Jira or Linear for tracking tasks and sprint planning. Confluence or Notion for documenting processes, creating shared knowledge bases, and improving accessibility to resources. A well-documented codebase and clearly defined processes empower developers to operate independently, minimizing bottlenecks and improving productivity. 3. Create an Inclusive Team Culture Fostering an inclusive and collaborative culture is essential to the success of a remote-first team. This starts with ensuring all voices are heard, regardless of geographic location. Here are a few tactics that can help: Regular Virtual Meetups : Schedule weekly check-ins or team-building events where team members can share updates, ask questions, and bond. Async Standups : Consider using tools like Geekbot to automate daily standups, enabling each member to share their progress and blockers asynchronously. Recognition and Feedback : Use platforms like 15Five to gather feedback and recognize individual contributions. It helps foster a positive work environment where team members feel valued. 4. Hire for Remote-Friendly Qualities Hiring for a remote-first tech team requires different criteria compared to an on-site environment. It’s crucial to look for qualities such as excellent written communication, self-motivation, and the ability to work autonomously. During the interview process, assess candidates for their comfort level with remote work by asking questions about their previous remote experiences, how they manage their time, and how they communicate asynchronously. Tools like HireVue can assist in conducting initial screenings through video interviews, allowing you to see how well candidates adapt to remote-first communication. Remember, some people thrive on the office atmosphere and are less efficient working from home, surrounded by distractions ranging from laundry to kids. Ask for an honest self-assessment: where do you perform better? When working from home, what does your day look like?  5. Focus on Employee Well-Being Employee well-being is fundamental for retaining top talent in a remote-first setup. As a startup CTO, your team's health should be a priority. Encourage employees to establish work-life balance, take breaks, and avoid overworking. Here are some ways to promote well-being: Flexible Work Hours : Give your team flexibility to work when they are most productive, keeping in mind that different time zones require adjustments. Wellness Programs : Platforms like Headspace or Calm can offer resources to help employees reduce stress and improve their mental health. No-Meeting Days : Designate a day of the week for no meetings to help everyone focus on deep work without interruptions. Context switching is a huge productivity killer. 6. Measure Team Performance Effectively Measuring performance in a remote-first environment can be tricky. Instead of relying on metrics like hours worked, focus on output-based performance indicators. Use tools like GitPrime to understand productivity metrics without micro-managing. Set clear, outcome-based goals for each team member and evaluate success based on these targets. Regular one-on-ones are also key for providing guidance, discussing blockers, and keeping each team member aligned with the broader business goals. 7. Prioritize Security and Data Protection Security is a non-negotiable aspect of building a remote-first tech team. Your remote employees will be accessing company resources from various locations, which presents unique challenges in terms of data protection. VPN and Endpoint Protection : Make sure that your team uses a secure VPN and endpoint protection software when accessing company servers. Password Managers : Tools like 1Password or LastPass can help keep team credentials secure. Multi-Factor Authentication : Enforce MFA to ensure that access to sensitive data is protected. Establishing best practices for security and ensuring that everyone understands the importance of cybersecurity is critical to preventing data breaches and protecting your business. 8. Choose a Collaborative AI Platform Selecting the right AI platform is essential for boosting productivity and collaboration among your remote team. Fine is designed specifically for teams, offering seamless integration with tools like Linear and GitHub, making it ideal for remote work. Unlike IDE-based AI assistants that are more suited for solo developers, Fine provides an all-in-one AI coding agent that enhances teamwork and accelerates startup growth. 9. Stay on Top of Code Reviews When working remotely, it can be easy for developers to finish writing code and leave it sitting, waiting for review for days or even weeks. Code reviews are essential for maintaining quality and ensuring knowledge sharing across the team. Use tools like Linear and GitHub to keep track of open tickets and close them efficiently. Setting up automated reminders for reviewers can help ensure that reviews are completed promptly, keeping the team moving forward and avoiding bottlenecks. Conclusion Building a remote-first tech team as a startup CTO is no easy feat, but with the right tools and strategies, it can lead to a more diverse and efficient development team. By focusing on communication, collaboration, culture, and security, you can create an environment where your remote team can thrive and innovate. The success of a remote-first team lies not just in the tools you use, but in how you nurture your team culture and make everyone feel connected despite the distance. Start small, iterate, and adapt as you learn more about your team’s needs—that’s how you’ll build a resilient and agile remote-first team ready for anything. Are you looking to streamline your development processes with collaborative AI coding? Discover how Fine  can help your remote team collaborate better to ship software and boost productivity. Sign up today and see what AI-driven development can do for you! Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://techcrunch.com/2025/04/14/openais-new-gpt-4-1-models-focus-on-coding/#:~:text=OpenAI%20claims%20the%20full%20GPT,and%20cheapest%20%E2%80%94%20model%20ever
OpenAI's new GPT-4.1 AI models focus on coding | TechCrunch TechCrunch Desktop Logo TechCrunch Mobile Logo Latest Startups Venture Apple Security AI Apps Events Podcasts Newsletters Search Submit Site Search Toggle Mega Menu Toggle Topics Latest AI Amazon Apps Biotech & Health Climate Cloud Computing Commerce Crypto Enterprise EVs Fintech Fundraising Gadgets Gaming Google Government & Policy Hardware Instagram Layoffs Media & Entertainment Meta Microsoft Privacy Robotics Security Social Space Startups TikTok Transportation Venture More from TechCrunch Staff Events Startup Battlefield StrictlyVC Newsletters Podcasts Videos Partner Content TechCrunch Brand Studio Crunchboard Contact Us Image Credits: Jakub Porzycki/NurPhoto / Getty Images AI OpenAI’s new GPT-4.1 AI models focus on coding Kyle Wiggers 10:00 AM PDT · April 14, 2025 OpenAI on Monday launched a new family of models called GPT-4.1. Yes, “4.1” — as if the company’s nomenclature wasn’t confusing enough already. There’s GPT-4.1, GPT-4.1 mini, and GPT-4.1 nano, all of which OpenAI says “excel” at coding and instruction following. Available through OpenAI’s API but not ChatGPT , the multimodal models have a 1-million-token context window, meaning they can take in roughly 750,000 words in one go (longer than “War and Peace”). GPT-4.1 arrives as OpenAI rivals like Google and Anthropic ratchet up efforts to build sophisticated programming models. Google’s recently released Gemini 2.5 Pro , which also has a 1-million-token context window, ranks highly on popular coding benchmarks. So do Anthropic’s Claude 3.7 Sonnet and Chinese AI startup DeepSeek’s upgraded V3 . It’s the goal of many tech giants, including OpenAI, to train AI coding models capable of performing complex software engineering tasks. OpenAI’s grand ambition is to create an “agentic software engineer,” as CFO Sarah Friar put it during a tech summit in London last month. The company asserts its future models will be able to program entire apps end-to-end, handling aspects such as quality assurance, bug testing, and documentation writing. GPT-4.1 is a step in this direction. “We’ve optimized GPT-4.1 for real-world use based on direct feedback to improve in areas that developers care most about: frontend coding, making fewer extraneous edits, following formats reliably, adhering to response structure and ordering, consistent tool usage, and more,” an OpenAI spokesperson told TechCrunch via email. “These improvements enable developers to build agents that are considerably better at real-world software engineering tasks.” OpenAI claims the full GPT-4.1 model outperforms its GPT-4o and GPT-4o mini  models on coding benchmarks, including SWE-bench. GPT-4.1 mini and nano are said to be more efficient and faster at the cost of some accuracy, with OpenAI saying GPT-4.1 nano is its speediest — and cheapest — model ever. Techcrunch event Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. San Francisco | October 13-15, 2026 W AITLIST NOW GPT-4.1 costs $2 per million input tokens and $8 per million output tokens. GPT-4.1 mini is $0.40/million input tokens and $1.60/million output tokens, and GPT-4.1 nano is $0.10/million input tokens and $0.40/million output tokens. According to OpenAI’s internal testing, GPT-4.1, which can generate more tokens at once than GPT-4o (32,768 versus 16,384), scored between 52% and 54.6% on SWE-bench Verified, a human-validated subset of SWE-bench. (OpenAI noted in a blog post that some solutions to SWE-bench Verified problems couldn’t run on its infrastructure, hence the range of scores.) Those figures are slightly under the scores reported by Google and Anthropic for Gemini 2.5 Pro (63.8%) and Claude 3.7 Sonnet (62.3%), respectively, on the same benchmark. In a separate evaluation, OpenAI probed GPT-4.1 using Video-MME, which is designed to measure the ability of a model to “understand” content in videos. GPT-4.1 reached a chart-topping 72% accuracy on the “long, no subtitles” video category, claims OpenAI. While GPT-4.1 scores reasonably well on benchmarks and has a more recent “knowledge cutoff,” giving it a better frame of reference for current events (up to June 2024), it’s important to keep in mind that even some of the best models today struggle with tasks that wouldn’t trip up experts. For example, many studies have  shown  that code-generating models often fail to fix, and even introduce, security vulnerabilities and bugs. OpenAI acknowledges, too, that GPT-4.1 becomes less reliable (i.e., likelier to make mistakes) the more input tokens it has to deal with. On one of the company’s own tests, OpenAI-MRCR, the model’s accuracy decreased from around 84% with 8,000 tokens to 50% with 1 million tokens. GPT-4.1 also tended to be more “literal” than GPT-4o, says the company, sometimes necessitating more specific, explicit prompts. Topics AI , gpt 4.1 , OpenAI Kyle Wiggers AI Editor Kyle Wiggers was TechCrunch’s AI Editor until June 2025. His writing has appeared in VentureBeat and Digital Trends, as well as a range of gadget blogs including Android Police, Android Authority, Droid-Life, and XDA-Developers. He lives in Manhattan with his partner, a music therapist. View Bio Dates TBD Locations TBA Plan ahead for the 2026 StrictlyVC events. Hear straight-from-the-source candid insights in on-stage fireside sessions and meet the builders and backers shaping the industry. Join the waitlist to get first access to the lowest-priced tickets and important updates. Waitlist Now Most Popular Google announces a new protocol to facilitate commerce using AI agents Ivan Mehta The most bizarre tech announced so far at CES 2026 Lauren Forristal Yes, LinkedIn banned AI agent startup Artisan, but now it’s back Julie Bort OpenAI unveils ChatGPT Health, says 230 million users ask about health each week Amanda Silberling How Quilt solved the heat pump’s biggest challenge Tim De Chant A viral Reddit post alleging fraud from a food delivery app turned out to be AI-generated Amanda Silberling Founder of spyware maker pcTattletale pleads guilty to hacking and advertising surveillance software Zack Whittaker Loading the next article Error loading the next article X LinkedIn Facebook Instagram youTube Mastodon Threads Bluesky TechCrunch Staff Contact Us Advertise Crunchboard Jobs Site Map Terms of Service Privacy Policy RSS Terms of Use Code of Conduct CES 2026 Elon Musk v OpenAI Clicks Communicator Gmail Larry Page Tech Layoffs ChatGPT © 2025 TechCrunch Media LLC.
2026-01-13T08:49:37
https://www.fsf.org/share?u=https://www.fsf.org&t=Defend%20the%20rights%20of%20computer%20users.%20Learn%20more%20about%20free%20software%20and%20how%20to%20defend%20your%20%2523userfreedom%20%40fsf#ft
— Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › share Info Help us raise awareness of free software within your social networks We recommend these sites because they follow ethical guidelines and respect their users. Sign up for an account on any instance of: Mastodon , and follow the FSF . PeerTube , and follow the FSF . GNU social You can also help us create awareness by sharing on: Hacker News Other popular sites for sharing news are a problem for technology users -- they are set up to lock users to their services and deny them basic privacy and autonomy, though on any such site, you may find free software supporters congregating in unofficial groups. It's important that we let people everywhere know about the importance of free software, so if you have an account on these sites, please help spread the word. Share on Facebook — What's wrong with Facebook? Share on X Share on Reddit Please don't let sharing important news about free software lead to further use of these sites. 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#2-extensions-not-installing
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://dev.to/lambdatest/what-is-gitlab-workflow-gitlab-flow-gitlab-tutorial-for-beginners-part-iii-1k3e
What Is GitLab Workflow | GitLab Flow | GitLab Tutorial For Beginners | Part III - 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 LambdaTest Team for LambdaTest Posted on Apr 19, 2022           What Is GitLab Workflow | GitLab Flow | GitLab Tutorial For Beginners | Part III # devops # beginners # tutorial # git GitLab CI Tutorial Series Videos. (7 Part Series) 1 Introduction to GitLab CI | What is GitLab CI | GitLab Tutorial For Beginners | Part I 2 Introduction To GitLab Interface | GitLab Tutorial For Beginners | Part II ... 3 more parts... 3 What Is GitLab Workflow | GitLab Flow | GitLab Tutorial For Beginners | Part III 4 How To Use GitLab Flow In GitLab Project | GitLab Tutorial For Beginners | Part IV 5 What Is GitLab Pipeline? | How To Create GitLab Pipeline | GitLab Tutorial For Beginners | Part V 6 How To Migrate From Jenkins Pipeline To GitLab CI | GitLab Tutorial For Beginners | Part VI 7 What is GitLab Registry? | GitLab Pipeline | GitLab Tutorial For Beginners | Part VII In this video, we’ll introduce you to two variants of GitLab Flow. One utilizes environmental branches, and the other utilizes release branches. Follow along to see how you can work faster with these variants. Start FREE Testing ! Integrate GitLab with LambdaTest: https://bit.ly/3ti02GM In this part of GitLab Tutorial for Beginners, Moss(@tech_with_moss), a DevOps engineer, will introduce you to the three primary Git branching strategies: GitHub Flow, GitLab Flow, and Git Flow and help you choose the best Git Branching Strategy for your project. By the end of this video, you’ll also learn GitLab’s primary branching and merging strategy to implement the development workflow in GitLab with a high degree of confidence. You will learn -: 🔸 What is GitLab Flow? 🔸 What is GitHub Flow? 🔸 What is Git Flow? 🔸 What is the best Git branch strategy? 🔸 What is the difference between Git Flow and GitHub Flow? GitLab CI Tutorial Series Videos. (7 Part Series) 1 Introduction to GitLab CI | What is GitLab CI | GitLab Tutorial For Beginners | Part I 2 Introduction To GitLab Interface | GitLab Tutorial For Beginners | Part II ... 3 more parts... 3 What Is GitLab Workflow | GitLab Flow | GitLab Tutorial For Beginners | Part III 4 How To Use GitLab Flow In GitLab Project | GitLab Tutorial For Beginners | Part IV 5 What Is GitLab Pipeline? | How To Create GitLab Pipeline | GitLab Tutorial For Beginners | Part V 6 How To Migrate From Jenkins Pipeline To GitLab CI | GitLab Tutorial For Beginners | Part VI 7 What is GitLab Registry? | GitLab Pipeline | GitLab Tutorial For Beginners | Part VII 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 LambdaTest Follow LambdaTest is a cloud based Cross Browser Testing Platform. Visit Us More from LambdaTest How To Press Enter Without WebElement In Selenium Python # beginners # tutorial # opensource # selenium How to Write Your First Cypress Test [With Examples] # cypress # beginners # tutorial # programming 10 Top WordPress Cross-Browser Compatible Themes To Look For In 2024 # webdev # programming # beginners # tutorial 💎 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:49:37
https://www.fine.dev/blog/ai-coding-tools-all#deepcode-snyk
The Top AI Coding Tools and Assistants in 2024 Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back The Top AI Coding Tools and Assistants in 2024 Do you find yourself going crazy with all the different AI coding tools available? There are so many (here we list 32, but more are announced every week), it's hard to cut through the noise and understand which are the most useful AI coding tools. One thing is for certain: in today's fast-evolving software development landscape, AI coding tools are becoming essential for enhancing productivity, streamlining workflows, and improving code quality. Startups and agencies are looking to adopt the best AI coding tool to help them ship faster, better software and gain a competitive edge. This guide reviews 32 AI coding assistants available in 2024, discussing their features, pricing, and accessibility. Of course, we encourage you to check out Fine , the end-to-end AI coding tool designed to slot in to your team's collaborative workflows. Whilst many of the platforms listed focus on one aspect (code gen, testing, etc) - Fine is the AI Coding tool offering it all. Table of Contents Introduction Top 32 AI Coding Tools and Assistants Available for Immediate Use Fine.dev GitHub Copilot ChatGPT Amazon CodeWhisperer Tabnine Replit AI (Ghostwriter) Codiga Sourcery DeepCode (Snyk) CodeWP AIXcoder Cody (Sourcegraph) Figstack Android Studio Bot Amazon CodeGuru Security Mutable AI Ponicode Otter.ai Snyk Cursor Bolt Codium Qodo Void Editor Honeycomb Pear AI Magic AlphaCode Code Llama StableCode Visual Copilot Devin Conclusion FAQs Introduction Artificial Intelligence (AI) has revolutionized software development, with a plethora of coding tools now available to assist developers. Whether it's automating repetitive tasks, suggesting code improvements, or enhancing security, AI coding assistants have something to offer for every level of developer. Top 32 AI Coding Tools and Assistants Here’s a comprehensive list of the top AI coding assistants in 2024, divided into categories based on availability. Available for Immediate Use Fine  - End-to-end AI coding assistant for every stage of the dev lifecycle, with full context awareness. Fine learns your codebase via the GitHub integration to minimize errors and maximize usefulness. It can turn issues into PRs; add docs, tests and logs; answer questions about your code; make revisions to PRs or summarize them; review your code and more. Based in the cloud, it's available via mobile as well as desktop.  GitHub Copilot – Offers real-time code suggestions using OpenAI Codex. It helps developers write code more efficiently by predicting entire lines or blocks of code based on the context and the developer's intent. GitHub Copilot supports a wide range of programming languages and is integrated into popular development environments like Visual Studio Code, making it accessible and easy to use. Available plans start at $10/month. Pricing : $10/month (individual), $19/month (business) ChatGPT – Versatile AI assistant capable of code generation and debugging. A free version is available, while ChatGPT Plus costs $20/month. ChatGPT doesn't integrate with your codebase, so you'll need to copy and paste between your editor and the site. Pricing : Free, $20/month for Plus Amazon CodeWhisperer – Integrates seamlessly with AWS services, providing real-time code completions. Free tier available; Pro plan starts at $19/user per month. Pricing : Free, $19/user per month for Pro Tabnine – AI-powered code completion with a focus on privacy. Pricing : Free, $12/month for Pro Replit AI (Ghostwriter) – Collaborative cloud-based IDE offering code generation and debugging features, particularly useful for those with no coding experience or already using Replit. Pricing : $10/month for Core, $33/user per month for Teams Codiga – Real-time static code analysis tool with a free tier; Pro plan costs $14/month. Pricing : Free, $14/month for Pro Sourcery – AI code reviewer. Improves code quality through automated refactoring. Uses GPT4-turbo Pricing : Free for open-source, $12/month for Pro DeepCode (Snyk) – Detects security vulnerabilities in real-time. Free for individuals, with team plans starting at $27/month. Pricing : Free for individuals, $27/month per user CodeWP – AI-powered code generator specifically for WordPress. Pricing starts at $18/month. Pricing : Free, $18/month for Pro AIXcoder – Offers intelligent code completion with support for multiple IDEs. Free and custom enterprise plans available. Pricing : Free, custom pricing for enterprises Cody (Sourcegraph) – Supports project-wide code assistance, offering features like code navigation, large-scale search, and contextual help across entire projects, ensuring that developers can maintain consistency and quality across their entire codebase. Pricing : Free option available, paid plans start at $9 per month. Figstack – Assists with code documentation and optimization, priced at $10/month after a free trial. Pricing : $10/month after free trial Android Studio Bot – Available for free as part of Android Studio. Pricing : Free Amazon CodeGuru Security – Helps optimize code security, free for the first 90 days. Post-trial pricing is $10/month. Pricing : $10/month after first 90 days Mutable AI – Creates a wiki for your codebase. Pricing : Free for open source, basic plan starts at $2 per month. Snyk – Offers code and dependency vulnerability detection. Free for individuals; team plans start at $25/month. Pricing : Free for individuals, $27/month for teams Cursor – Cursor is a powerful AI coding assistant designed to streamline the software development process by providing intelligent code completions, contextual code suggestions, and explanations. It supports a wide range of programming languages and integrates smoothly with popular IDEs, making it an efficient tool for both individual developers and teams. Cursor aims to enhance productivity by reducing the time spent on repetitive coding tasks, offering automated code fixes, and facilitating collaboration. Free for basic use; premium features pricing varies. – Free for basic use; premium features pricing varies. Pricing : Varies Bolt – Although commonly described as a Cursor and V0 killer, Bolt seems to be a ChatGPT for front-end development. It's built by Stackblitz, the cloud-based web-development platform that lets you write, run and debug frontend code in your browser. Pricing : Free to start with paid subscriptions available in the app. Codeium – In-IDE AI coding assistant. Offers autocomplete, chat, and inline commands. Pricing : Free plan available, paid plans start at $10 per month. Qodo – AI coding tool that emphasis quality code, helping developers generate, test and review code. Pricing : Free version available, or $19 per month. Enterprise options available. Void Editor – Void describe themselves as an Open-Source alternative to Cursor offering greater privacy. Their logo seems similar to squarespace. Offers the ability to use the tab button to autocomplete the code you're writing - similar to GitHub Copilot. Waitlist access only, no pricing information available. Honeycomb – AI coding tool announced in August 2024 as a YC-backed startup, but the announcement and website have since disappeared. Still viewable on  X . Pear AI – AI-powered coding assistant focused on improving development workflows, available at Pear AI. Built as a fork of Continue, which is a fork of VSCode, leading to controversy during their launch. Pricing : Free plan available requiring your own API keys. "Junior" plan for $15 per month includes limited credits for Claude and GPT4o with more credits available for purchase.. Magic – Requires a waitlist to access during the early access phase. AlphaCode – Limited to research and special projects. Code Llama – Open-source, but some hosted services may be restricted. Stable Code Alpha – Available as part of stability.ai membership. Visual Copilot – AI coding assistant for design-to-code. Import designs from Figma and turn into code. Free plan available with 4K context window and 20 code generations; Basic plan $19 per month, Growth plan $39 per month. Devin – Available only in early access; requires joining the waitlist. Conclusion AI coding tools continue to evolve, offering unique features to boost developer productivity. From real-time code suggestions to comprehensive security checks, developers can choose from a variety of options based on their needs and budget. FAQs Q: Are there any free AI coding tools? A: Yes, many tools offer free tiers or trials, including Fine. Q: How can I access Devin or Magic? A: Both tools require joining a waitlist for early access. Q: Are these tools suitable for beginners? A: Yes, many of these tools cater to all skill levels, providing resources and support for new developers. Important note: Information about platforms, their availability, features and pricing, is based on an automated internet search and may be inaccurate or out-of-date. Last updated: 2024-10-10 Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://nvd.nist.gov/vuln/detail/CVE-2025-64710
NVD - CVE-2025-64710 You are viewing this page in an unauthorized frame window. This is a potential security issue, you are being redirected to https://nvd.nist.gov You have JavaScript disabled. This site requires JavaScript to be enabled for complete site functionality.   An official website of the United States government Here's how you know Official websites use .gov A .gov website belongs to an official government organization in the United States. Secure .gov websites use HTTPS A lock ( ) or https:// means you've safely connected to the .gov website. Share sensitive information only on official, secure websites. NVD MENU General Expand or Collapse NVD Dashboard News and Status Updates FAQ Visualizations Legal Disclaimer Vulnerabilities Expand or Collapse Search & Statistics Weakness Types Data Feeds Vendor Comments CVMAP Vulnerability Metrics Expand or Collapse CVSS v4.0 Calculators CVSS v3.x Calculators CVSS v2.0 Calculator Products Expand or Collapse CPE Dictionary CPE Search CPE Statistics SWID Developers Expand or Collapse Start Here Request an API Key Vulnerabilities Products Data Sources Terms of Use Contact NVD Other Sites Expand or Collapse Checklist (NCP) Repository Configurations (CCE) 800-53 Controls SCAP Search Expand or Collapse Vulnerability Search CPE Search Information Technology Laboratory National Vulnerability Database National Vulnerability Database NVD Vulnerabilities CVE-2025-64710 Detail Awaiting Analysis This CVE record has been marked for NVD enrichment efforts. Description Bitplatform Boilerplate is a Visual studio and .NET project template. Versions prior to 9.11.3 are affected by a cross-site scripting (XSS) vulnerability in the WebInteropApp/WebAppInterop, potentially allowing attackers to inject malicious scripts that compromise the security and integrity of web applications. Applications based on this Bitplatform Boilerplate might also be vulnerable. Version 9.11.3 fixes the issue. Metrics   CVSS Version 4.0 CVSS Version 3.x CVSS Version 2.0 NVD enrichment efforts reference publicly available information to associate vector strings. CVSS information contributed by other sources is also displayed. CVSS 4.0 Severity and Vector Strings: NIST:   NVD N/A NVD assessment not yet provided. CNA:   GitHub, Inc. CVSS-B 5.3 MEDIUM Vector:   CVSS:4.0/AV:N/AC:L/AT:N/PR:N/UI:P/VC:N/VI:N/VA:N/SC:L/SI:L/SA:N CVSS 3.x Severity and Vector Strings: NIST:   NVD
2026-01-13T08:49:37
https://dev.to/petar_liovic_9fb912bdc228/mathematical-audit-of-excalidraw-finding-logic-echoes-via-linear-algebra-26pj
Mathematical Audit of Excalidraw: Finding "Logic Echoes" via Linear Algebra - 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 Petar Liovic Posted on Jan 12           Mathematical Audit of Excalidraw: Finding "Logic Echoes" via Linear Algebra # architecture # computerscience # react # tooling The Signal is Getting Stronger When I released the first version of react-state-basis , the goal was theoretical: could we model React hooks as temporal signals to detect architectural debt? Since then, the project has hit #1 on r/reactjs and gained validation from senior engineers at companies like Calendly and Snowpact. But for v0.3.1 , I wanted to move from "Theory" to "Forensics." I wanted to run the auditor against one of the most high-performance engines in the React ecosystem: Excalidraw . The "Invisibility" Milestone (v0.3.1) The biggest barrier to architectural telemetry is the "Import Tax." No one wants to change their source code to run an audit. As of v0.3.1 , Basis is now a "Ghost" in the machine . Using a custom Babel AST transformer and a Vite Proxy , it auto-instruments standard React imports at build-time. Semantic Extraction: It reads your source code to label hooks automatically (e.g., count , user ). Zero Code Changes: You keep your import { useState } from 'react' exactly as is. Isomorphism: The proxy maintains 100% type congruence, ensuring the IDE and compiler see a "perfect body double" of React. Case Study: Auditing Excalidraw Excalidraw is a 114,000-star project and a masterpiece of performance engineering. It handles massive amounts of high-frequency state transitions. It was the perfect "Laboratory" for the R⁵⁰ vector model. The Audit Results: 1. Dimension Collapse in the Theme Engine The Basis HUD immediately flagged a perfect collinearity (1.0 similarity) between appTheme and editorTheme in the core theme-handle hook. The Math: These two vectors were pulsing in identical coordinates in the 50-dimensional space. The Debt: One variable was a redundant mirror of the other, kept in sync via an imperative effect. 2. Sequential Sync Leaks (Causal Loops) The telemetry matrix detected multiple "Blue Box" violations . These represent directed edges in the component's causal topology where an effect "pushes" data back into state after the render pass. The Cost: In a high-performance canvas, these sequential updates force unnecessary double-reconciliation cycles, adding avoidable overhead to every theme toggle and window focus event. Closing the Loop: The Refactor An auditor's job isn't just to find problems; it's to provide the Basis for a Solution . I submitted a Pull Request to Excalidraw (which was recently noticed and reposted by @vjeux on x.com platform, one of the most important people in the Frontend industry) to refactor this logic. The Fix: We removed the redundant state and moved to a Pure Projection using useSyncExternalStore and useMemo . The Win: Theme transitions now resolve in a single Atomic Render Pass , restoring the linear independence of the component's basis. What’s Next: v0.4.0 and Linear Maps We are now moving from Vector Spaces to Linear Operator Theory . To handle browser-thread jitter (1ms delays), we are investigating Signal Conditioning via linear maps. By applying a temporal convolution (smoothing) and a difference operator (velocity) to our R⁵⁰ basis, we can move from "Bit-Matching" to Scientific Signal Processing. Formalize Your Basis Basis is open-source and ready for zero-config integration. If you want to see the "heartbeat" of your own architecture and find where your logic is redundant, give it a run. GitHub: liovic/react-state-basis Technical Wiki: 8 Chapters on Vector Spaces and Causal Topology 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 Petar Liovic Follow Full stack dev, Process Automation Architect (Camunda, BPMN, js) Joined Dec 27, 2025 More from Petar Liovic Auditing React State & Hooks with Math (shadcn-admin Case Study) # react # javascript # performance # webdev I used Linear Algebra to audit my React state (and built a tool for it) # react # typescript # linearalgebra # 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 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:49:37
https://www.crn.com/news/channel-news/2025/five-companies-that-came-to-win-this-week-april-11-2025#:~:text=%E2%80%9CBusinesses%20are%20racing%20to%20build,and%20design%20expertise%20are%20an
Five Companies That Came To Win This Week Five Companies That Came To Win This Week For the week ending April 11 CRN takes a look at the companies that brought their ‘A’ game to the channel, including Cloudflare, IBM, Ping Identity, Google Cloud, Meter and World Wide Technology. The Week Ending April 11 Topping this week’s Five Companies that Came to Win is Cloudflare for a strategic acquisition that will extend the capabilities of developers using the Cloudflare platform—especially around AI applications and agents. IBM makes the list for its own acquisition in the data transformation services space while cybersecurity provider Ping Identity is here for debuting a major upgrade of its partner program. Google Cloud wowed the crowd at its Google Cloud Next 2025 event with a wave of new product innovations. And Network-as-a-Service provider Meter and solution provider giant World Wide Technology win applause for teaming up to bring comprehensive NaaS services to WWT customers. Cloudflare Looks To Boost AI, Agent Development With Outerbase Acquisition Cloudflare is enhancing the application development capabilities of its connectivity cloud service platform with the acquisition of developer database company Outerbase. The Outerbase acquisition will “dramatically enhance” Cloudflare’s developer service offerings—especially to meet the surging demand for capabilities to build AI and generative AI applications and AI agents, according to the company. The Outerbase technology will boost the ability of developers working with the Cloudflare platform to build and deploy database-backed, full-stack, AI-enabled applications on Cloudflare’s global network. “Businesses are racing to build AI-powered applications to be as productive, innovative and competitive as possible. Our goal is to make it easy and accessible for any developer, regardless of expertise, to build database-backed applications that can scale,” said Matthew Prince, co-founder and CEO of Cloudflare, in a statement. "Outerbase’s technology and design expertise are an important factor in accelerating this improved developer experience.” IBM Buys Snowflake-Focused Data And AI Consultancy Hakkoda Staying on the topic of savvy acquisitions, IBM makes this week’s list for its acquisition of Hakkoda , a global data, artificial intelligence and Snowflake consulting service startup, in a move that’s expected to boost the data transformation services portfolio of the tech giant’s IBM Consulting division. Hakkoda brings to IBM its generative AI-powered assets for data modernization projects with a focus on such industries as financial services, the public sector and health care and elsewhere, according to an IBM statement. IBM will add Hakkoda’s consulting capabilities to its IBM Consulting Advantage platform. “IBM is at the leading edge of the consulting industry with how we’re supercharging our consultants with AI,” Mohamad Ali, IBM Consulting’s senior vice president and head, said in the statement. “With Hakkoda’s data expertise, deep technology partnerships and asset-centric delivery model, IBM will be even better positioned to deliver value faster to clients as they transform with AI.” Hakkoda was founded in 2021 and raised $5.6 million in funding that year to boost its offerings focused on the Snowflake platform. The company sought to stand out from other consultancies with a subscription model providing on-demand access to data engineers, architects and other professionals. Ping Identity Goes ‘All In With Partners’ With Channel Program Revamp Ping Identity is making a “complete commitment to partners” with the debut this week of its redesigned Nexus Partner Program, founder and CEO Andre Durand (pictured above) told CRN . Durand said the identity security and access management vendor has done a “top to bottom” revamp of its channel program to enable its next phase of growth with the help of solution and service provider partners. The new Nexus program is geared toward providing newly defined “pathways” to partners including a path for those focused on the resale of licenses and a path for systems integrator and service provider partners. The program overhaul also includes new support and enablement offerings, a redesigned partner portal and the introduction of a Partner Advisory Board. “As much as we have a lot of Global 5000 customers, there are still a lot of customers that we don’t have a relationship with—and partners are a big part of what will change that,” Durand said. Ultimately, “we continue to move all in with partners.” Meter Teams Up With WWT To ‘Supercharge’ NaaS Practice Network-as-a-Service specialist Meter and solution provider giant World Wide Technology make this week’s list for joining forces to put Meter’s unified, subscription-based wired, wireless and cellular networking offerings into the hands of more enterprises. The collaboration will bring together Meter’s full-stack hardware, software and network support with WWT’s global reach, deployment capabilities and value-added services, Adam Ulfers, Meter’s vice president of sales, told CRN. “We think that we can supercharge [WWT’s] Network as a Service [NaaS] division with our full-stack approach that is one of a kind in the industry. … With this partnership, we can take all the benefits that we’re providing and pair that with the scale and capability that WWT brings nationwide and worldwide for customers that have hundreds and thousands of locations,” Ulfers said of the newly forged partnership. WWT plans to “wrap NaaS offers like Meter in a WWT turnkey solution where the resulting offer is a superset of what Meter provides, delivering a comprehensive product and services solution for our clients,” said Neil Anderson, vice president of cloud, infrastructure and AI solutions at WWT. Google Cloud Shows Off New AI Agent Development Kit, Workspace Innovation At Annual Event Google Cloud debuted a number of new technologies and product innovation this week at Google Cloud Next 2025 with a particular focus on AI and AI agents—where the company is making its biggest investment this year. Topping the list was a new AI Agent Development Kit that will help customers move toward a multi-agent ecosystem. The ADK is an open-source framework that simplifies the process of building sophisticated multi-agent systems while maintaining precise control over agent behavior. Google Cloud CEO Thomas Kurian said that with the toolset developers can build an AI agent in under 100 lines of intuitive code. One of the biggest announcements at Google Next 2025 was Ironwood, Google’s 7th-generation TPU (tensor processing unit). The Ironwood AI accelerator , specifically designed to improve AI inferencing performance and scalability, will enable Google and its cloud customers to develop and deploy more sophisticated inferential AI models at scale. Google has turned its massive global network infrastructure into the Google Cloud Wide Area Network , making the company’s global private network available to all Google Cloud customers as a fully managed, reliable and secure enterprise backbone to transform enterprisewide area network architectures. Google also unveiled a slew of new AI innovation for its Workspace applications.
2026-01-13T08:49:37
https://www.crn.com/news/channel-news/2025/five-companies-that-came-to-win-this-week-april-11-2025#:~:text=The%20Outerbase%20technology%20will%20boost,applications%20on%20Cloudflare%E2%80%99s%20global%20network
Five Companies That Came To Win This Week Five Companies That Came To Win This Week For the week ending April 11 CRN takes a look at the companies that brought their ‘A’ game to the channel, including Cloudflare, IBM, Ping Identity, Google Cloud, Meter and World Wide Technology. The Week Ending April 11 Topping this week’s Five Companies that Came to Win is Cloudflare for a strategic acquisition that will extend the capabilities of developers using the Cloudflare platform—especially around AI applications and agents. IBM makes the list for its own acquisition in the data transformation services space while cybersecurity provider Ping Identity is here for debuting a major upgrade of its partner program. Google Cloud wowed the crowd at its Google Cloud Next 2025 event with a wave of new product innovations. And Network-as-a-Service provider Meter and solution provider giant World Wide Technology win applause for teaming up to bring comprehensive NaaS services to WWT customers. Cloudflare Looks To Boost AI, Agent Development With Outerbase Acquisition Cloudflare is enhancing the application development capabilities of its connectivity cloud service platform with the acquisition of developer database company Outerbase. The Outerbase acquisition will “dramatically enhance” Cloudflare’s developer service offerings—especially to meet the surging demand for capabilities to build AI and generative AI applications and AI agents, according to the company. The Outerbase technology will boost the ability of developers working with the Cloudflare platform to build and deploy database-backed, full-stack, AI-enabled applications on Cloudflare’s global network. “Businesses are racing to build AI-powered applications to be as productive, innovative and competitive as possible. Our goal is to make it easy and accessible for any developer, regardless of expertise, to build database-backed applications that can scale,” said Matthew Prince, co-founder and CEO of Cloudflare, in a statement. "Outerbase’s technology and design expertise are an important factor in accelerating this improved developer experience.” IBM Buys Snowflake-Focused Data And AI Consultancy Hakkoda Staying on the topic of savvy acquisitions, IBM makes this week’s list for its acquisition of Hakkoda , a global data, artificial intelligence and Snowflake consulting service startup, in a move that’s expected to boost the data transformation services portfolio of the tech giant’s IBM Consulting division. Hakkoda brings to IBM its generative AI-powered assets for data modernization projects with a focus on such industries as financial services, the public sector and health care and elsewhere, according to an IBM statement. IBM will add Hakkoda’s consulting capabilities to its IBM Consulting Advantage platform. “IBM is at the leading edge of the consulting industry with how we’re supercharging our consultants with AI,” Mohamad Ali, IBM Consulting’s senior vice president and head, said in the statement. “With Hakkoda’s data expertise, deep technology partnerships and asset-centric delivery model, IBM will be even better positioned to deliver value faster to clients as they transform with AI.” Hakkoda was founded in 2021 and raised $5.6 million in funding that year to boost its offerings focused on the Snowflake platform. The company sought to stand out from other consultancies with a subscription model providing on-demand access to data engineers, architects and other professionals. Ping Identity Goes ‘All In With Partners’ With Channel Program Revamp Ping Identity is making a “complete commitment to partners” with the debut this week of its redesigned Nexus Partner Program, founder and CEO Andre Durand (pictured above) told CRN . Durand said the identity security and access management vendor has done a “top to bottom” revamp of its channel program to enable its next phase of growth with the help of solution and service provider partners. The new Nexus program is geared toward providing newly defined “pathways” to partners including a path for those focused on the resale of licenses and a path for systems integrator and service provider partners. The program overhaul also includes new support and enablement offerings, a redesigned partner portal and the introduction of a Partner Advisory Board. “As much as we have a lot of Global 5000 customers, there are still a lot of customers that we don’t have a relationship with—and partners are a big part of what will change that,” Durand said. Ultimately, “we continue to move all in with partners.” Meter Teams Up With WWT To ‘Supercharge’ NaaS Practice Network-as-a-Service specialist Meter and solution provider giant World Wide Technology make this week’s list for joining forces to put Meter’s unified, subscription-based wired, wireless and cellular networking offerings into the hands of more enterprises. The collaboration will bring together Meter’s full-stack hardware, software and network support with WWT’s global reach, deployment capabilities and value-added services, Adam Ulfers, Meter’s vice president of sales, told CRN. “We think that we can supercharge [WWT’s] Network as a Service [NaaS] division with our full-stack approach that is one of a kind in the industry. … With this partnership, we can take all the benefits that we’re providing and pair that with the scale and capability that WWT brings nationwide and worldwide for customers that have hundreds and thousands of locations,” Ulfers said of the newly forged partnership. WWT plans to “wrap NaaS offers like Meter in a WWT turnkey solution where the resulting offer is a superset of what Meter provides, delivering a comprehensive product and services solution for our clients,” said Neil Anderson, vice president of cloud, infrastructure and AI solutions at WWT. Google Cloud Shows Off New AI Agent Development Kit, Workspace Innovation At Annual Event Google Cloud debuted a number of new technologies and product innovation this week at Google Cloud Next 2025 with a particular focus on AI and AI agents—where the company is making its biggest investment this year. Topping the list was a new AI Agent Development Kit that will help customers move toward a multi-agent ecosystem. The ADK is an open-source framework that simplifies the process of building sophisticated multi-agent systems while maintaining precise control over agent behavior. Google Cloud CEO Thomas Kurian said that with the toolset developers can build an AI agent in under 100 lines of intuitive code. One of the biggest announcements at Google Next 2025 was Ironwood, Google’s 7th-generation TPU (tensor processing unit). The Ironwood AI accelerator , specifically designed to improve AI inferencing performance and scalability, will enable Google and its cloud customers to develop and deploy more sophisticated inferential AI models at scale. Google has turned its massive global network infrastructure into the Google Cloud Wide Area Network , making the company’s global private network available to all Google Cloud customers as a fully managed, reliable and secure enterprise backbone to transform enterprisewide area network architectures. Google also unveiled a slew of new AI innovation for its Workspace applications.
2026-01-13T08:49:37
https://www.fine.dev/blog/ai-coding-tools-all#fine-dev
The Top AI Coding Tools and Assistants in 2024 Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back The Top AI Coding Tools and Assistants in 2024 Do you find yourself going crazy with all the different AI coding tools available? There are so many (here we list 32, but more are announced every week), it's hard to cut through the noise and understand which are the most useful AI coding tools. One thing is for certain: in today's fast-evolving software development landscape, AI coding tools are becoming essential for enhancing productivity, streamlining workflows, and improving code quality. Startups and agencies are looking to adopt the best AI coding tool to help them ship faster, better software and gain a competitive edge. This guide reviews 32 AI coding assistants available in 2024, discussing their features, pricing, and accessibility. Of course, we encourage you to check out Fine , the end-to-end AI coding tool designed to slot in to your team's collaborative workflows. Whilst many of the platforms listed focus on one aspect (code gen, testing, etc) - Fine is the AI Coding tool offering it all. Table of Contents Introduction Top 32 AI Coding Tools and Assistants Available for Immediate Use Fine.dev GitHub Copilot ChatGPT Amazon CodeWhisperer Tabnine Replit AI (Ghostwriter) Codiga Sourcery DeepCode (Snyk) CodeWP AIXcoder Cody (Sourcegraph) Figstack Android Studio Bot Amazon CodeGuru Security Mutable AI Ponicode Otter.ai Snyk Cursor Bolt Codium Qodo Void Editor Honeycomb Pear AI Magic AlphaCode Code Llama StableCode Visual Copilot Devin Conclusion FAQs Introduction Artificial Intelligence (AI) has revolutionized software development, with a plethora of coding tools now available to assist developers. Whether it's automating repetitive tasks, suggesting code improvements, or enhancing security, AI coding assistants have something to offer for every level of developer. Top 32 AI Coding Tools and Assistants Here’s a comprehensive list of the top AI coding assistants in 2024, divided into categories based on availability. Available for Immediate Use Fine  - End-to-end AI coding assistant for every stage of the dev lifecycle, with full context awareness. Fine learns your codebase via the GitHub integration to minimize errors and maximize usefulness. It can turn issues into PRs; add docs, tests and logs; answer questions about your code; make revisions to PRs or summarize them; review your code and more. Based in the cloud, it's available via mobile as well as desktop.  GitHub Copilot – Offers real-time code suggestions using OpenAI Codex. It helps developers write code more efficiently by predicting entire lines or blocks of code based on the context and the developer's intent. GitHub Copilot supports a wide range of programming languages and is integrated into popular development environments like Visual Studio Code, making it accessible and easy to use. Available plans start at $10/month. Pricing : $10/month (individual), $19/month (business) ChatGPT – Versatile AI assistant capable of code generation and debugging. A free version is available, while ChatGPT Plus costs $20/month. ChatGPT doesn't integrate with your codebase, so you'll need to copy and paste between your editor and the site. Pricing : Free, $20/month for Plus Amazon CodeWhisperer – Integrates seamlessly with AWS services, providing real-time code completions. Free tier available; Pro plan starts at $19/user per month. Pricing : Free, $19/user per month for Pro Tabnine – AI-powered code completion with a focus on privacy. Pricing : Free, $12/month for Pro Replit AI (Ghostwriter) – Collaborative cloud-based IDE offering code generation and debugging features, particularly useful for those with no coding experience or already using Replit. Pricing : $10/month for Core, $33/user per month for Teams Codiga – Real-time static code analysis tool with a free tier; Pro plan costs $14/month. Pricing : Free, $14/month for Pro Sourcery – AI code reviewer. Improves code quality through automated refactoring. Uses GPT4-turbo Pricing : Free for open-source, $12/month for Pro DeepCode (Snyk) – Detects security vulnerabilities in real-time. Free for individuals, with team plans starting at $27/month. Pricing : Free for individuals, $27/month per user CodeWP – AI-powered code generator specifically for WordPress. Pricing starts at $18/month. Pricing : Free, $18/month for Pro AIXcoder – Offers intelligent code completion with support for multiple IDEs. Free and custom enterprise plans available. Pricing : Free, custom pricing for enterprises Cody (Sourcegraph) – Supports project-wide code assistance, offering features like code navigation, large-scale search, and contextual help across entire projects, ensuring that developers can maintain consistency and quality across their entire codebase. Pricing : Free option available, paid plans start at $9 per month. Figstack – Assists with code documentation and optimization, priced at $10/month after a free trial. Pricing : $10/month after free trial Android Studio Bot – Available for free as part of Android Studio. Pricing : Free Amazon CodeGuru Security – Helps optimize code security, free for the first 90 days. Post-trial pricing is $10/month. Pricing : $10/month after first 90 days Mutable AI – Creates a wiki for your codebase. Pricing : Free for open source, basic plan starts at $2 per month. Snyk – Offers code and dependency vulnerability detection. Free for individuals; team plans start at $25/month. Pricing : Free for individuals, $27/month for teams Cursor – Cursor is a powerful AI coding assistant designed to streamline the software development process by providing intelligent code completions, contextual code suggestions, and explanations. It supports a wide range of programming languages and integrates smoothly with popular IDEs, making it an efficient tool for both individual developers and teams. Cursor aims to enhance productivity by reducing the time spent on repetitive coding tasks, offering automated code fixes, and facilitating collaboration. Free for basic use; premium features pricing varies. – Free for basic use; premium features pricing varies. Pricing : Varies Bolt – Although commonly described as a Cursor and V0 killer, Bolt seems to be a ChatGPT for front-end development. It's built by Stackblitz, the cloud-based web-development platform that lets you write, run and debug frontend code in your browser. Pricing : Free to start with paid subscriptions available in the app. Codeium – In-IDE AI coding assistant. Offers autocomplete, chat, and inline commands. Pricing : Free plan available, paid plans start at $10 per month. Qodo – AI coding tool that emphasis quality code, helping developers generate, test and review code. Pricing : Free version available, or $19 per month. Enterprise options available. Void Editor – Void describe themselves as an Open-Source alternative to Cursor offering greater privacy. Their logo seems similar to squarespace. Offers the ability to use the tab button to autocomplete the code you're writing - similar to GitHub Copilot. Waitlist access only, no pricing information available. Honeycomb – AI coding tool announced in August 2024 as a YC-backed startup, but the announcement and website have since disappeared. Still viewable on  X . Pear AI – AI-powered coding assistant focused on improving development workflows, available at Pear AI. Built as a fork of Continue, which is a fork of VSCode, leading to controversy during their launch. Pricing : Free plan available requiring your own API keys. "Junior" plan for $15 per month includes limited credits for Claude and GPT4o with more credits available for purchase.. Magic – Requires a waitlist to access during the early access phase. AlphaCode – Limited to research and special projects. Code Llama – Open-source, but some hosted services may be restricted. Stable Code Alpha – Available as part of stability.ai membership. Visual Copilot – AI coding assistant for design-to-code. Import designs from Figma and turn into code. Free plan available with 4K context window and 20 code generations; Basic plan $19 per month, Growth plan $39 per month. Devin – Available only in early access; requires joining the waitlist. Conclusion AI coding tools continue to evolve, offering unique features to boost developer productivity. From real-time code suggestions to comprehensive security checks, developers can choose from a variety of options based on their needs and budget. FAQs Q: Are there any free AI coding tools? A: Yes, many tools offer free tiers or trials, including Fine. Q: How can I access Devin or Magic? A: Both tools require joining a waitlist for early access. Q: Are these tools suitable for beginners? A: Yes, many of these tools cater to all skill levels, providing resources and support for new developers. Important note: Information about platforms, their availability, features and pricing, is based on an automated internet search and may be inaccurate or out-of-date. Last updated: 2024-10-10 Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#best-practices-for-using-dev-containers
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://dev.to/opensauced/what-is-vercels-ai-tool-v0dev-and-how-do-you-use-it-3nge
What is Vercel's AI tool, V0.dev and how do you use it? - 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 Abdurrahman Rajab for OpenSauced Posted on Jan 16, 2024           What is Vercel's AI tool, V0.dev and how do you use it? # webdev # javascript # ai # react AI tools for developers (3 Part Series) 1 5 Ways Programmers Can Use AI Tools to Improve Their Lives 2 What is Vercel's AI tool, V0.dev and how do you use it? 3 Innovation lessons from GitHub Chat and GitHub Copilot Labs A few months ago, Vercel announced V0.dev for developers and designers to generate react code with AI—the only issue with the announcement was that v0.dev had a waitlist and was not open for anyone. Recently, I got access to the website from the waitlist, but it’s available for everyone with a Vercel account right now. Such tools fill the gap between developers and designers and save time for many companies when they launch their projects and products. In this article, I will share the value of the project, how it works, and the impact of open source on such projects. v0.dev is a ChatGPT-like tool that only focuses on generating the code for the user interface. It uses shadcn/ui and Tailwind CSS libraries to generate that code. After generating the code, the website gives you an npx install command to add the component to your software. Testing Scenarios: V0 provides you with the ability to write prompts to create the design. Besides that, V0 processes images and allows you to improve the design of your selected elements. With all of these features, I decided to test the project and benchmark it over the next questions: Does it provide a production-ready code? Does it understand the image you provide? Does it work in other languages? Could you use it on an established project? Could you use it for new projects? With these questions, I decided to do my experiments based on two projects that I am involved with: the first is OpenSauced , and the second is okuyun.org. First experiment: a search engine example My first experience was with a new project I wanted to start from scratch. The main goal was to have a search engine user interface with few examples for users. I got the result I wanted after having twelve prompts written for that, which is quite interesting and impressive. In the next image, you can find the last design that I got: The full prompts are in this link . The project seems to have a great result and provided a beautiful code that could be used in a project immediately. The only consideration I had in the code was that it’s a bit fragmented and does not provide a component that could encapsulate its results. This causes a bit of spaghetti code for a large project. Here you can see the generated code: < div className = " border-2 border-gray-300 rounded-md p-2 " > < Card > < div className = " flex justify-between " > < div className = " flex items-center " > < Button className = " bg-blue-500 text-white rounded-md px-2 py-1 ml-2 " > < GoalIcon className = " h-4 w-4 " /> < /Button > < CardHeader className = " font-semibold " > OpenAI < /CardHeader > < /div > < CardContent className = " text-gray-500 " > A research organization for AI . < /CardContent > < /div > < /Card > < /div > < div className = " border-2 border-gray-300 rounded-md p-2 " > < Card > < div className = " flex justify-between " > < div className = " flex items-center " > < Button className = " bg-blue-500 text-white rounded-md px-2 py-1 ml-2 " > < GoalIcon className = " h-4 w-4 " /> < /Button > < CardHeader className = " font-semibold " > Tailwind CSS < /CardHeader > < /div > < CardContent className = " text-gray-500 " > A utility - first CSS framework . < /CardContent > < /div > < /Card > < /div > < div className = " border-2 border-gray-300 rounded-md p-2 " > < Card > < div className = " flex justify-between " > < div className = " flex items-center " > < Button className = " bg-blue-500 text-white rounded-md px-2 py-1 ml-2 " > < GoalIcon className = " h-4 w-4 " /> < /Button > < CardHeader className = " font-semibold " > GPT - 4 < /CardHeader > < /div > < CardContent className = " text-gray-500 " > A model by OpenAI . < /CardContent > < /div > < /Card > < /div > Enter fullscreen mode Exit fullscreen mode I would prefer a component that encapsulates the elements and provides parameters through it, which would be a great addition to a project. A simple example I would expect would be: < serachResult title = ” GPT ” description = ” A model by OpneAI ” link = ” openai . com ” >< /searchResult > Enter fullscreen mode Exit fullscreen mode This would save the extra code, minimize the lines, and increase the readability of the code. I am aware that having such a result from an AI in the first shot would be a bit tricky, but this would make you understand how to use it, its limitations, and the system's ability. Second experiment: an OpenSauced component As for OpenSauced, my experiment was to check if I could use a Figma design in V0. I wanted to import the Figma design and then implement a user interface for the project. At the end of the experiment, I compared the output result with an actual component that Nick Taylor, a Senior frontend engineer, wrote for the OpenSauced project. As for OpenSauced, the project uses Tailwind and Radix, the framework that shadcn uses under the hood. With this structure, I thought making the related design from Figma would be easy. The first issue I faced was the inability to import Figma files directly, so I had to take a screenshot of the component I needed to implement and provide to V0. This gave me the first result of the code, which was the first draft I worked on to improve and get the desired result. You can compare the first draft and the image I provided below. With 17 iterations, I could get the result that I somehow expected. This iteration helped me to understand the logic behind v0 and how it works and be precise with the language—the final result . Even though the result was quite interesting regarding the view, it differed from the result that Nick Taylor has written. If we do a quick comparison, you can find that Nick relied on the code written before for OpenSauced, which v0 is unaware of. This was the most significant issue you would face when using v0. Other than that, it would be the reusability of the component written with which I have mentioned in the first experiment. Third Scenario: Arabic (non-Latin) Language For this scenario, I tried the model with other languages. The main idea is to check if it’s diverse and allows other nations to use that or if it is only closed to English speakers. Enabling the tech in local languages will have a better and more diverse and inclusive community; at the same time, it will allow young children who have not learned new languages or are not confident about their languages to get access to these tools that will enable them to create a great future! My experience with this was just having a prompt to ask to design a page, I did not expect much, but it was a bit interesting since it worked like the English language and provided the great results that I was expecting. Here is the next prompt I used: قم بتصميم محرك بحث للقرآن الكريم Which means: Design a search engine for the Quran. This provided an interesting result for the query with understanding the meaning of the Quran: With this step, I moved forward to have a two-screen side to show the result on one side and have the search engine on the other side and it provided a great example for that: Even checking the results of the project on the mobile screen provided a great responsive result which was impressive for me. Looking at the code, you would notice that V0 used the tailwind flex class and used semantic HTML, which provides a great result for responsivity and rendering. Here is a part of the generated code: <main className= "flex flex-col lg:flex-row items-start lg:items-center justify-center h-screen bg-[#fafafa] p-6 lg:p-12" > <div className= "w-full max-w-md lg:max-w-lg" > <h1 className= "text-3xl font-bold text-center mb-6 text-gray-700" > Quran Search Engine </h1> Enter fullscreen mode Exit fullscreen mode One of the the main issue I noticed is that the output code and user interface do not include any words from Arabic. This could turn off non-English speakers, yet using translation tools would help them. Besides that, the output user interface does not align with RTL (right to left) standards, which are the standards for languages like Arabic. For that reason, I did write an extra prompt asking to fix both of these issues, here is the prompt: النتيجة ليست باللغة العربية قم بتحويل النصوص إلى اللغة العربية وتحويل نظام الشاشة من اليمين إلى اليسار Which translates to: The result is not in Arabic, translate the text into Arabic and turn the screen mode into RTL. The result was quite interesting, in the next image you can notice that v0.dev has fully converted the output code to RTL and translated the text, with minor details that might need to be considered by the developer. With this result I could get to the conclusion of being able to use different languages for user interface generation and enabling more communities to get access to such tools. The developers will need to take care of minor details to have the user interface fully adjusted for their needs. The results To get back to the questions that I asked at the beginning of this article, I could conclude with the next question: Does it provide a production-ready code? Yes, the code that V0 provides could be used in production with minor tweaks and checks. By tweaks, I mean converting the large bits into reusable components, checking the accessibility issues, and evaluating the code with your code standards. The main point here is to have it integrated with your stack. If you are using react, tailwind, and shadcn then you would be in the right direction to use the software. The only issue here is that it would not understand your design system. You would need to think about the design system; if you are using an atomic design system, then a great way for you to benefit from this tool is to request it to write the atoms and molecules, then you would need to use them in your project. Does it understand the image we provided? Yes, but the image process does require a few improvements. I think the area for this improvement would be a great research field for AI researchers, where they would need to have a user interface-focused image analysis and benefit from the algorithms that could process images. If some work has already been done in academia, then converting that research to a real product that would satisfy the users would be quite challenging. Does it work in other languages? Yes, As we have tested it in Arabic. I believe that the result would be great as well in other languages. The issue with such tools is that they might not have a full understanding of the language-specific issues like RTL for the Arabic language. You must address these issues by yourself and do your checks to fully adjust the design for your needs. Could we use it on an established project? I believe that using v0 on an established project would be quite challenging if you think to take the result immediately, yet if you would think about using it as a friendly helper or someone who would do the basic work, then you would adhere to that work on your project then it would be helpful. Could we use it for new projects? Using v0 for new projects would be much easier to kick off. Overtime, you would need to improve the quality and understand the system to extract reusable components that could help you have a faster development cycle for your project. Improved v0 With the experiments that I made. I believe v0 will be better in a few places and would love to see it improved. In the next section, I will mention the areas that Vercel could improve and write the impact that developers and designers would reach: Design System integrations One of the central and most significant issues V0 would need to solve is understanding the design systems. Understanding the design system would help companies integrate with it more easily since some companies might have used their design system in production for years. Since the v0 and GPT revolution is relatively new in industry usage, tackling this issue would be exciting and provide value for using the software in production. One of the simple ways to get into that is to have a client-side for the v0 that Vercel would integrate with the code editor, an approach that GitHub copilot is following. With this approach, the v0 could create an extension in VS Code, for example. With this extension, V0 would take the file names and information from the project to understand the design system, and then it should be directed to the related design system and provide the code and component based on that. This approach would be similar to the multimodal AI approach that Gemini and OpenAI use. Another approach that Vercel could use in Beta is a GitHub Copilot labs-like extension; the GitHub Copilot labs used to have directed inputs for their GPT model. The directed inputs used to be code cleaning, writing tests, and even code refactoring options. The extension was discontinued after integrating it with the Copilot chat model. Yet, for v0, having directed options and inputs like choosing a design system, writing molecules, writing atoms, or even components would help to integrate more with the production systems that people have and give a great iteration cycle for Vercel to understand their customers and community needs. Importing from design software One of the great features such a system would need to have is the ability to import from the design software like Figma. The approach I used in this review was to take a screenshot of the Figma design and provide it as a prompt to v0. Yet, if Vercel implements the ability to import from Figma, V0 would take a new leap to help programmers and designers. This improvement could help import and integrate with the current behavior of designers and developers. Over time, it would be more convenient to enable the design software to have prompts and iterations over them. Improved image processing: With the second experiment I have done in this review, the layout of the component and the first output are slightly different than the input image. Besides that, you would notice the missed icons in the first output image, which is odd for a great sophisticated system like v0. In the future, it would be great to have a way that the system would understand the icons and layout provided in the image. Such improvement is possible by analyzing the images and dividing the process into multiple shots for prompts or even having a multimodal design that could understand the layout and icons. Such improvements could make the system more robust and minimize the back-and-forth prompts for the system to get the expected results. I believe that creating a model that allows you to get the names of the icons in the images, the layout, and the CSS features would be a promising system that would enable the integrity of the AI model in industry applications. Improving the User experience of the website The v0 website has two great features you could use to develop and give prompts. One of them is enabling you to edit the code immediately and write the prompts based on that. The other feature is the ability to choose a specific element, allowing you to write prompts for that particular element. These features are super helpful and extraordinary, yet I would like to see minor improvements in them. As for the code editor, I would love to have the ability to select an element from the user interface and get the code editor scrolled to that element immediately. This feature is similar to the HTML element inspector in browsers like Google Chrome and Mozilla Firefox. Enabling the code editor to point to the code from the view will allow you to quickly make the changes you would do as a developer instead of scrolling and using the search feature to find the related code. The other improvement that V0 can implement is enabling the element selector to select multiple elements; the software's current phase allows you to choose one HTML element over time, yet having a way that will enable you to choose various elements would be a significant improvement. Enabling multiple element selection will save you time if you edit a page in the v0 and help you have a consistent design for the whole page. Enabling the element selector could be done by adding extra buttons in the update menu, and saving the memory of the elements to provide to the model, or even by allowing the user to click and drag through the mouse. Here is an example of an extra button that could be added to enable this feature: Final thoughts With my experiments, I feel that v0 is quite sophisticated and helpful for programmers and designers. It will bridge the gap between them and even have a faster development cycle for web apps. You can use V0 for new projects with the same tech stack. In the future, I expect the Vercel team to support new tech stacks and design systems, which would have a considerable impact and more extensive reach for the community. On the other hand, these improvements and programs will put a huge load on developers and designers to continue learning new tools and improving their mindset; otherwise, they would risk their jobs. The developers must increase their knowledge of accessibility, multilanguage support, design systems, and user experience. Those skills with the developer would allow them to be more productive and create great results from such tools. For designers, I envision that other companies like Adobe and Figma will try to make V0-like tools. The V0-like tools will be integrated more with their design software, and they will need to understand the output code to have more flexibility and power over their results. These tools would not be able to test all the results and scenarios that programmers might face, like accessibility, as Vercel mentioned in their docs, or even responsibility. Having them beside you would be helpful if you knew how to use them. AI tools for developers (3 Part Series) 1 5 Ways Programmers Can Use AI Tools to Improve Their Lives 2 What is Vercel's AI tool, V0.dev and how do you use it? 3 Innovation lessons from GitHub Chat and GitHub Copilot Labs 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   Paweł Ciosek Paweł Ciosek Paweł Ciosek Follow software developer Location Warsaw, Poland Work Software developer Joined Jul 8, 2020 • Jan 16 '24 Dropdown menu Copy link Hide Great post! 👏 Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Abdurrahman Rajab OpenSauced Abdurrahman Rajab OpenSauced Abdurrahman Rajab Follow Software engineer who love open source and communities! Education Ms. in Computer science Work Hadith Tech Joined Oct 27, 2020 • Jan 16 '24 Dropdown menu Copy link Hide Thanks for the comment Pawel. 🤗 Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Nick Taylor OpenSauced Nick Taylor OpenSauced Nick Taylor Follow GitHub Star and Microsoft MVP. Developer Advocate & Software Engineer who live streams tech content solo & with community friends. Email nick@nickyt.co Location Montréal, Québec, Canada Education University of New Brunswick Work Developer Advocate at Pomerium Joined Mar 11, 2017 • Jan 16 '24 Dropdown menu Copy link Hide Great writeup @a0m0rajab ! I wonder if v0 has plans to allow uploading a Figma file. Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Abdurrahman Rajab OpenSauced Abdurrahman Rajab OpenSauced Abdurrahman Rajab Follow Software engineer who love open source and communities! Education Ms. in Computer science Work Hadith Tech Joined Oct 27, 2020 • Jan 16 '24 Dropdown menu Copy link Hide Thanks for the support nick! I am not sure about Figma; it would be great to have that, yet they have not mentioned anything about it. What they mentioned is the integration of new design systems. I feel having Figma would be a matter of time; if they did not add that, I feel a new Figma extension would be born with a similar concept to v0. 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 OpenSauced Follow The path to your next contribution. Start contributing to open-source today. More from OpenSauced The Hidden Cost of Free: Why Open Source Sustainability Matters # opensource # webdev The React useRef Hook: Not Just for DOM Elements # react # javascript # webdev From Vite’s Popularity to Selenium’s Legacy: What Defines Open Source Success? # opensource # javascript # community 💎 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:49:37
https://techcrunch.com/2025/04/14/openais-new-gpt-4-1-models-focus-on-coding/#:~:text=There%E2%80%99s%20GPT,longer%20than%20%E2%80%9CWar%20and%20Peace%E2%80%9D
OpenAI's new GPT-4.1 AI models focus on coding | TechCrunch TechCrunch Desktop Logo TechCrunch Mobile Logo Latest Startups Venture Apple Security AI Apps Events Podcasts Newsletters Search Submit Site Search Toggle Mega Menu Toggle Topics Latest AI Amazon Apps Biotech & Health Climate Cloud Computing Commerce Crypto Enterprise EVs Fintech Fundraising Gadgets Gaming Google Government & Policy Hardware Instagram Layoffs Media & Entertainment Meta Microsoft Privacy Robotics Security Social Space Startups TikTok Transportation Venture More from TechCrunch Staff Events Startup Battlefield StrictlyVC Newsletters Podcasts Videos Partner Content TechCrunch Brand Studio Crunchboard Contact Us Image Credits: Jakub Porzycki/NurPhoto / Getty Images AI OpenAI’s new GPT-4.1 AI models focus on coding Kyle Wiggers 10:00 AM PDT · April 14, 2025 OpenAI on Monday launched a new family of models called GPT-4.1. Yes, “4.1” — as if the company’s nomenclature wasn’t confusing enough already. There’s GPT-4.1, GPT-4.1 mini, and GPT-4.1 nano, all of which OpenAI says “excel” at coding and instruction following. Available through OpenAI’s API but not ChatGPT , the multimodal models have a 1-million-token context window, meaning they can take in roughly 750,000 words in one go (longer than “War and Peace”). GPT-4.1 arrives as OpenAI rivals like Google and Anthropic ratchet up efforts to build sophisticated programming models. Google’s recently released Gemini 2.5 Pro , which also has a 1-million-token context window, ranks highly on popular coding benchmarks. So do Anthropic’s Claude 3.7 Sonnet and Chinese AI startup DeepSeek’s upgraded V3 . It’s the goal of many tech giants, including OpenAI, to train AI coding models capable of performing complex software engineering tasks. OpenAI’s grand ambition is to create an “agentic software engineer,” as CFO Sarah Friar put it during a tech summit in London last month. The company asserts its future models will be able to program entire apps end-to-end, handling aspects such as quality assurance, bug testing, and documentation writing. GPT-4.1 is a step in this direction. “We’ve optimized GPT-4.1 for real-world use based on direct feedback to improve in areas that developers care most about: frontend coding, making fewer extraneous edits, following formats reliably, adhering to response structure and ordering, consistent tool usage, and more,” an OpenAI spokesperson told TechCrunch via email. “These improvements enable developers to build agents that are considerably better at real-world software engineering tasks.” OpenAI claims the full GPT-4.1 model outperforms its GPT-4o and GPT-4o mini  models on coding benchmarks, including SWE-bench. GPT-4.1 mini and nano are said to be more efficient and faster at the cost of some accuracy, with OpenAI saying GPT-4.1 nano is its speediest — and cheapest — model ever. Techcrunch event Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. San Francisco | October 13-15, 2026 W AITLIST NOW GPT-4.1 costs $2 per million input tokens and $8 per million output tokens. GPT-4.1 mini is $0.40/million input tokens and $1.60/million output tokens, and GPT-4.1 nano is $0.10/million input tokens and $0.40/million output tokens. According to OpenAI’s internal testing, GPT-4.1, which can generate more tokens at once than GPT-4o (32,768 versus 16,384), scored between 52% and 54.6% on SWE-bench Verified, a human-validated subset of SWE-bench. (OpenAI noted in a blog post that some solutions to SWE-bench Verified problems couldn’t run on its infrastructure, hence the range of scores.) Those figures are slightly under the scores reported by Google and Anthropic for Gemini 2.5 Pro (63.8%) and Claude 3.7 Sonnet (62.3%), respectively, on the same benchmark. In a separate evaluation, OpenAI probed GPT-4.1 using Video-MME, which is designed to measure the ability of a model to “understand” content in videos. GPT-4.1 reached a chart-topping 72% accuracy on the “long, no subtitles” video category, claims OpenAI. While GPT-4.1 scores reasonably well on benchmarks and has a more recent “knowledge cutoff,” giving it a better frame of reference for current events (up to June 2024), it’s important to keep in mind that even some of the best models today struggle with tasks that wouldn’t trip up experts. For example, many studies have  shown  that code-generating models often fail to fix, and even introduce, security vulnerabilities and bugs. OpenAI acknowledges, too, that GPT-4.1 becomes less reliable (i.e., likelier to make mistakes) the more input tokens it has to deal with. On one of the company’s own tests, OpenAI-MRCR, the model’s accuracy decreased from around 84% with 8,000 tokens to 50% with 1 million tokens. GPT-4.1 also tended to be more “literal” than GPT-4o, says the company, sometimes necessitating more specific, explicit prompts. Topics AI , gpt 4.1 , OpenAI Kyle Wiggers AI Editor Kyle Wiggers was TechCrunch’s AI Editor until June 2025. His writing has appeared in VentureBeat and Digital Trends, as well as a range of gadget blogs including Android Police, Android Authority, Droid-Life, and XDA-Developers. He lives in Manhattan with his partner, a music therapist. View Bio Dates TBD Locations TBA Plan ahead for the 2026 StrictlyVC events. Hear straight-from-the-source candid insights in on-stage fireside sessions and meet the builders and backers shaping the industry. Join the waitlist to get first access to the lowest-priced tickets and important updates. Waitlist Now Most Popular Google announces a new protocol to facilitate commerce using AI agents Ivan Mehta The most bizarre tech announced so far at CES 2026 Lauren Forristal Yes, LinkedIn banned AI agent startup Artisan, but now it’s back Julie Bort OpenAI unveils ChatGPT Health, says 230 million users ask about health each week Amanda Silberling How Quilt solved the heat pump’s biggest challenge Tim De Chant A viral Reddit post alleging fraud from a food delivery app turned out to be AI-generated Amanda Silberling Founder of spyware maker pcTattletale pleads guilty to hacking and advertising surveillance software Zack Whittaker Loading the next article Error loading the next article X LinkedIn Facebook Instagram youTube Mastodon Threads Bluesky TechCrunch Staff Contact Us Advertise Crunchboard Jobs Site Map Terms of Service Privacy Policy RSS Terms of Use Code of Conduct CES 2026 Elon Musk v OpenAI Clicks Communicator Gmail Larry Page Tech Layoffs ChatGPT © 2025 TechCrunch Media LLC.
2026-01-13T08:49:37
https://dev.to/t/tooling#main-content
Tooling - 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 Tooling Follow Hide Working with a new tool you want to share? Created a new workflow for a task? Found some great configurations? Share them with the community! Create Post about #tooling This tag can be seen as related to #productivity for most of its content. The posts can contain certain configurations, explanations of the usage of tools, clever combinations to reach a goal or discussions about them. Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu I got tired of waiting for Gradle, so I built a runtime that runs Kotlin like Python. Srikar Sunchu Srikar Sunchu Srikar Sunchu Follow Jan 13 I got tired of waiting for Gradle, so I built a runtime that runs Kotlin like Python. # kotlin # performance # productivity # tooling 10  reactions Comments 1  comment 2 min read Building a Low-Code Blockchain Deployment Platform Kowshikkumar Reddy Makireddy Kowshikkumar Reddy Makireddy Kowshikkumar Reddy Makireddy Follow Jan 13 Building a Low-Code Blockchain Deployment Platform # showdev # blockchain # devops # tooling Comments Add Comment 9 min read Cowork: Claude Code for the Rest of Your Work Sivaram Sivaram Sivaram Follow Jan 13 Cowork: Claude Code for the Rest of Your Work # ai # productivity # tooling # software 5  reactions Comments Add Comment 5 min read Building Voice Trainer: a tiny, local‑first pitch analysis tool for gender‑affirming voice practice codebunny20 codebunny20 codebunny20 Follow Jan 12 Building Voice Trainer: a tiny, local‑first pitch analysis tool for gender‑affirming voice practice # showdev # opensource # privacy # tooling Comments Add Comment 1 min read Inside Git: How It Really Works (With the .git Folder Explained) Subhrangsu Bera Subhrangsu Bera Subhrangsu Bera Follow Jan 12 Inside Git: How It Really Works (With the .git Folder Explained) # git # github # development # tooling 1  reaction Comments Add Comment 4 min read Claude-Gemini Integration Tool "CGMB" v1.1.0: Implementing Windows Support ryoto miyake ryoto miyake ryoto miyake Follow Jan 12 Claude-Gemini Integration Tool "CGMB" v1.1.0: Implementing Windows Support # ai # gemini # llm # tooling Comments Add Comment 2 min read Exploring Modern Python Type Checkers Nicolas Galler Nicolas Galler Nicolas Galler Follow Jan 12 Exploring Modern Python Type Checkers # python # tooling # vscode Comments Add Comment 2 min read Mathematical Audit of Excalidraw: Finding "Logic Echoes" via Linear Algebra Petar Liovic Petar Liovic Petar Liovic Follow Jan 12 Mathematical Audit of Excalidraw: Finding "Logic Echoes" via Linear Algebra # architecture # computerscience # react # tooling 1  reaction Comments Add Comment 3 min read Deploy to Raspberry Pi in One Command: Building a Rust-based Deployment Tool Kazilsky Kazilsky Kazilsky Follow Jan 12 Deploy to Raspberry Pi in One Command: Building a Rust-based Deployment Tool # automation # devops # rust # tooling 2  reactions Comments 3  comments 3 min read Quiverstone: The Single Pane of Glass for AWS Multi-Account Chaos Ross Wickman Ross Wickman Ross Wickman Follow for AWS Community Builders Jan 12 Quiverstone: The Single Pane of Glass for AWS Multi-Account Chaos # management # governance # saas # tooling Comments Add Comment 3 min read I built a free URL shortener with QR codes and click tracking — looking for feedback Ivan Jurina Ivan Jurina Ivan Jurina Follow Jan 12 I built a free URL shortener with QR codes and click tracking — looking for feedback # discuss # showdev # tooling # webdev Comments Add Comment 1 min read I built a free JSON formatter tool (with $9 API option) Mustapha Kamel Alami Mustapha Kamel Alami Mustapha Kamel Alami Follow Jan 12 I built a free JSON formatter tool (with $9 API option) # showdev # nextjs # tooling # webdev Comments 1  comment 1 min read [Golang] Issues When Enabling Go Modules in Old Open Source Projects Evan Lin Evan Lin Evan Lin Follow Jan 11 [Golang] Issues When Enabling Go Modules in Old Open Source Projects # learning # tooling # go # opensource Comments Add Comment 5 min read [Learning Notes] [Golang] Migrating Disqus Comments to Github Issues by Writing disqus-importor-go Evan Lin Evan Lin Evan Lin Follow Jan 11 [Learning Notes] [Golang] Migrating Disqus Comments to Github Issues by Writing disqus-importor-go # tooling # github # go # opensource Comments Add Comment 4 min read [TIL] Typora 1.0 and Now Paid (with Useful Resources) Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL] Typora 1.0 and Now Paid (with Useful Resources) # news # resources # tooling Comments Add Comment 2 min read [TIL] Markdown Paste: A VSCode Powerhouse for Pasting Images Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL] Markdown Paste: A VSCode Powerhouse for Pasting Images # productivity # tooling # vscode Comments Add Comment 2 min read Back to basics: a solid foundation for using AI coding agents in a monorepo Juha Kangas Juha Kangas Juha Kangas Follow Jan 11 Back to basics: a solid foundation for using AI coding agents in a monorepo # tooling # monorepo # ai # typescript Comments Add Comment 2 min read [TIL][Jekyll] Replacing Disqus with utterances for GitHub issue comments Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL][Jekyll] Replacing Disqus with utterances for GitHub issue comments # webdev # tooling # github # tutorial Comments Add Comment 2 min read Go 1.16: Retracting Versions in Go Modules Evan Lin Evan Lin Evan Lin Follow Jan 11 Go 1.16: Retracting Versions in Go Modules # go # learning # tooling Comments Add Comment 3 min read [Go] Useful Packages from Go's Internal Source Code: go-internal Evan Lin Evan Lin Evan Lin Follow Jan 11 [Go] Useful Packages from Go's Internal Source Code: go-internal # learning # testing # tooling # go Comments Add Comment 3 min read Golang: Trying out Go Proposal 45713 'Multi-Module Workspaces' Evan Lin Evan Lin Evan Lin Follow Jan 11 Golang: Trying out Go Proposal 45713 'Multi-Module Workspaces' # go # tooling # tutorial Comments Add Comment 2 min read [TIL][Python] Python Tool for Online PDF Viewing, Comparison, and Data Import Evan Lin Evan Lin Evan Lin Follow Jan 11 [TIL][Python] Python Tool for Online PDF Viewing, Comparison, and Data Import # machinelearning # tooling # python # opensource Comments Add Comment 2 min read I Built aioflare — A Tool to Manage Multiple Cloudflare Accounts (Beta) Dev_liq Dev_liq Dev_liq Follow Jan 11 I Built aioflare — A Tool to Manage Multiple Cloudflare Accounts (Beta) # showdev # devops # productivity # tooling Comments Add Comment 4 min read [Gemini 3.0][Image Generation] Building a PDF Text Optimization Tool with Gemini 3.0 Pro Image API Evan Lin Evan Lin Evan Lin Follow for Google Developer Experts Jan 11 [Gemini 3.0][Image Generation] Building a PDF Text Optimization Tool with Gemini 3.0 Pro Image API # gemini # tooling # llm # api 2  reactions Comments Add Comment 10 min read I built a tool to detect ISP Throttling on Steam using React + Vite Murilo Evangelinos Murilo Evangelinos Murilo Evangelinos Follow Jan 11 I built a tool to detect ISP Throttling on Steam using React + Vite # showdev # networking # react # tooling Comments Add Comment 1 min read loading... trending guides/resources Raptor Mini: GitHub Copilot’s New Code-First AI Model That Developers Shouldn’t Ignore Guide to AI Coding Agents & Assistants: How to Choose the Right AI Tool 10 GitHub Repos Every Serious Prompt Writer Should Be Using How to connect a local AI model(with Ollama) to VS Code. How I Review Pull Requests with Claude (and Actually Merge Them) MacOS on debian QEMU KVM Why Most AI Coding Tools Fail (And How They Succeed) Chapter 1: Introduction to NautilusTrader GTA Vice City Nextgen Edition on Linux/Steam Deck - Guide Using Opencode as a Copy-Paste Backend for UI Prototyping Base44 Explained: How It Works, Key Features, and Top Alternatives Best SERP API Comparison 2025: SerpAPI vs Exa vs Tavily vs ScrapingDog vs ScrapingBee Turn Claude Code into a Fullstack web app expert 🔌 🤖 Gemini dans votre terminal avec Gemini CLI Open Source Email Warmup: A Complete Guide Z-Image: Alibaba's 6B-Parameter Open-Source Model Revolutionizes Efficient Image Generation How to Add Custom Command Shortcuts in Cursor Amazing Z-Image Workflow v3.0: Complete Guide to Enhanced ComfyUI Image Generation 🔄 Alternatives to Minikube LTX-2 Prompting Guide: Master AI Video Generation with Expert Techniques 💎 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:49:37
https://go.opensource.org/pretix
pretix – Reinventing ticket sales for conferences, exhibitions, museums, ... Features Products Core platform pretix Full-featured online ticket shop & backend Exhibitor services pretixLEAD Paperless networking for exhibitors Virtual & hybrid events Venueless Digital event platform On-site processes pretixPOS Cash register app pretixSCAN Access control & live badge printing pretixKIOSK Ticket vending machine app Hardware High-end event tech for rent Pricing News Sign in Ticketing software that cares about your event—all the way. Customizable ticket shop Marketing toolkit Direct payments Individual tickets Check-in & box office Reports & statistics All features    Create your first ticket shop All-in-one: Online shop, box office and ticket outlets Focus on privacy and security , ISO 27001 certified Full multi-language capabilities Highly adaptable to your event Extensible with plug-ins and through a REST API Risk-free and transparent pricing Successfully used for conferences, festivals, concerts, shows, exhibitions, workshops, barcamps, and more We'd love to talk about your event! support@pretix.eu +49 6221 32177-50 Mo-Fr 09:00 AM–05:00 PM With pretix, we have found a flexible ticketing solution for Messe Berlin that allows us to independently configure even complex events . pretix reliably withstands the rush of large trade fairs with well over 100,000 visitors . Integration via interfaces in our existing software landscape has significantly reduced our manual workload in many processes. The successful collaboration with pretix has enabled Wien Digital to offer tickets for Vienna's public swimming pools for online purchase within a short period of time. […] The registration system is visually appealing, user-friendly and allows for convenient attendee management. It is fun to use the system! […] FOSSGIS Conference Team Conference on free geoinformation software 3000+ happy customers Try it out! Create a ticket shop Get in touch! support@pretix.eu +49 6221 32177-50 Mo-Fr 09:00 AM–05:00 PM Legal Legal notice Pricing Terms of Service Privacy Brand Product pretix pretixPOS pretixSCAN Hardware Plugin Marketplace Company About us Jobs Resellers Behind the scenes Follow Us Mastodon GitHub LinkedIn YouTube Instagram Technical System Status Security Documentation REST API Languages Deutsch
2026-01-13T08:49:37
https://popcorn.forem.com/new/cinema
New Post - Popcorn Movies and TV 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 Popcorn Movies and TV Close Join the Popcorn Movies and TV Popcorn Movies and TV is a community of 3,676,891 amazing enthusiasts 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 Popcorn Movies and TV? 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 Popcorn Movies and TV — Movie and TV enthusiasm, criticism and everything in-between. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Popcorn Movies and TV © 2016 - 2026. Let's watch something great! Log in Create account
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#1-consistency-across-environments
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://vibe.forem.com/privacy#d-other-purposes
Privacy Policy - Vibe Coding 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 Vibe Coding Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy.  They're called "defined terms," and we use them so that we don't have to repeat the same language again and again.  They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws.  8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:37
https://www.fsf.org/share?u=https://www.fsf.org&t=Defend%20the%20rights%20of%20computer%20users.%20Learn%20more%20about%20free%20software%20and%20how%20to%20defend%20your%20%2523userfreedom%20%40fsf#sitemap-3
— Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › share Info Help us raise awareness of free software within your social networks We recommend these sites because they follow ethical guidelines and respect their users. Sign up for an account on any instance of: Mastodon , and follow the FSF . PeerTube , and follow the FSF . GNU social You can also help us create awareness by sharing on: Hacker News Other popular sites for sharing news are a problem for technology users -- they are set up to lock users to their services and deny them basic privacy and autonomy, though on any such site, you may find free software supporters congregating in unofficial groups. It's important that we let people everywhere know about the importance of free software, so if you have an account on these sites, please help spread the word. Share on Facebook — What's wrong with Facebook? Share on X Share on Reddit Please don't let sharing important news about free software lead to further use of these sites. 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:37
https://techcrunch.com/2025/04/14/openais-new-gpt-4-1-models-focus-on-coding/#:~:text=%E2%80%9CWe%E2%80%99ve%20optimized%20GPT,world%20software%20engineering%20tasks.%E2%80%9D
OpenAI's new GPT-4.1 AI models focus on coding | TechCrunch TechCrunch Desktop Logo TechCrunch Mobile Logo Latest Startups Venture Apple Security AI Apps Events Podcasts Newsletters Search Submit Site Search Toggle Mega Menu Toggle Topics Latest AI Amazon Apps Biotech & Health Climate Cloud Computing Commerce Crypto Enterprise EVs Fintech Fundraising Gadgets Gaming Google Government & Policy Hardware Instagram Layoffs Media & Entertainment Meta Microsoft Privacy Robotics Security Social Space Startups TikTok Transportation Venture More from TechCrunch Staff Events Startup Battlefield StrictlyVC Newsletters Podcasts Videos Partner Content TechCrunch Brand Studio Crunchboard Contact Us Image Credits: Jakub Porzycki/NurPhoto / Getty Images AI OpenAI’s new GPT-4.1 AI models focus on coding Kyle Wiggers 10:00 AM PDT · April 14, 2025 OpenAI on Monday launched a new family of models called GPT-4.1. Yes, “4.1” — as if the company’s nomenclature wasn’t confusing enough already. There’s GPT-4.1, GPT-4.1 mini, and GPT-4.1 nano, all of which OpenAI says “excel” at coding and instruction following. Available through OpenAI’s API but not ChatGPT , the multimodal models have a 1-million-token context window, meaning they can take in roughly 750,000 words in one go (longer than “War and Peace”). GPT-4.1 arrives as OpenAI rivals like Google and Anthropic ratchet up efforts to build sophisticated programming models. Google’s recently released Gemini 2.5 Pro , which also has a 1-million-token context window, ranks highly on popular coding benchmarks. So do Anthropic’s Claude 3.7 Sonnet and Chinese AI startup DeepSeek’s upgraded V3 . It’s the goal of many tech giants, including OpenAI, to train AI coding models capable of performing complex software engineering tasks. OpenAI’s grand ambition is to create an “agentic software engineer,” as CFO Sarah Friar put it during a tech summit in London last month. The company asserts its future models will be able to program entire apps end-to-end, handling aspects such as quality assurance, bug testing, and documentation writing. GPT-4.1 is a step in this direction. “We’ve optimized GPT-4.1 for real-world use based on direct feedback to improve in areas that developers care most about: frontend coding, making fewer extraneous edits, following formats reliably, adhering to response structure and ordering, consistent tool usage, and more,” an OpenAI spokesperson told TechCrunch via email. “These improvements enable developers to build agents that are considerably better at real-world software engineering tasks.” OpenAI claims the full GPT-4.1 model outperforms its GPT-4o and GPT-4o mini  models on coding benchmarks, including SWE-bench. GPT-4.1 mini and nano are said to be more efficient and faster at the cost of some accuracy, with OpenAI saying GPT-4.1 nano is its speediest — and cheapest — model ever. Techcrunch event Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. San Francisco | October 13-15, 2026 W AITLIST NOW GPT-4.1 costs $2 per million input tokens and $8 per million output tokens. GPT-4.1 mini is $0.40/million input tokens and $1.60/million output tokens, and GPT-4.1 nano is $0.10/million input tokens and $0.40/million output tokens. According to OpenAI’s internal testing, GPT-4.1, which can generate more tokens at once than GPT-4o (32,768 versus 16,384), scored between 52% and 54.6% on SWE-bench Verified, a human-validated subset of SWE-bench. (OpenAI noted in a blog post that some solutions to SWE-bench Verified problems couldn’t run on its infrastructure, hence the range of scores.) Those figures are slightly under the scores reported by Google and Anthropic for Gemini 2.5 Pro (63.8%) and Claude 3.7 Sonnet (62.3%), respectively, on the same benchmark. In a separate evaluation, OpenAI probed GPT-4.1 using Video-MME, which is designed to measure the ability of a model to “understand” content in videos. GPT-4.1 reached a chart-topping 72% accuracy on the “long, no subtitles” video category, claims OpenAI. While GPT-4.1 scores reasonably well on benchmarks and has a more recent “knowledge cutoff,” giving it a better frame of reference for current events (up to June 2024), it’s important to keep in mind that even some of the best models today struggle with tasks that wouldn’t trip up experts. For example, many studies have  shown  that code-generating models often fail to fix, and even introduce, security vulnerabilities and bugs. OpenAI acknowledges, too, that GPT-4.1 becomes less reliable (i.e., likelier to make mistakes) the more input tokens it has to deal with. On one of the company’s own tests, OpenAI-MRCR, the model’s accuracy decreased from around 84% with 8,000 tokens to 50% with 1 million tokens. GPT-4.1 also tended to be more “literal” than GPT-4o, says the company, sometimes necessitating more specific, explicit prompts. Topics AI , gpt 4.1 , OpenAI Kyle Wiggers AI Editor Kyle Wiggers was TechCrunch’s AI Editor until June 2025. His writing has appeared in VentureBeat and Digital Trends, as well as a range of gadget blogs including Android Police, Android Authority, Droid-Life, and XDA-Developers. He lives in Manhattan with his partner, a music therapist. View Bio Dates TBD Locations TBA Plan ahead for the 2026 StrictlyVC events. Hear straight-from-the-source candid insights in on-stage fireside sessions and meet the builders and backers shaping the industry. Join the waitlist to get first access to the lowest-priced tickets and important updates. Waitlist Now Most Popular Google announces a new protocol to facilitate commerce using AI agents Ivan Mehta The most bizarre tech announced so far at CES 2026 Lauren Forristal Yes, LinkedIn banned AI agent startup Artisan, but now it’s back Julie Bort OpenAI unveils ChatGPT Health, says 230 million users ask about health each week Amanda Silberling How Quilt solved the heat pump’s biggest challenge Tim De Chant A viral Reddit post alleging fraud from a food delivery app turned out to be AI-generated Amanda Silberling Founder of spyware maker pcTattletale pleads guilty to hacking and advertising surveillance software Zack Whittaker Loading the next article Error loading the next article X LinkedIn Facebook Instagram youTube Mastodon Threads Bluesky TechCrunch Staff Contact Us Advertise Crunchboard Jobs Site Map Terms of Service Privacy Policy RSS Terms of Use Code of Conduct CES 2026 Elon Musk v OpenAI Clicks Communicator Gmail Larry Page Tech Layoffs ChatGPT © 2025 TechCrunch Media LLC.
2026-01-13T08:49:37
https://www.fine.dev/blog/about-devcontainers#1-install-necessary-tools
Everything you need to know about Dev Containers Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Everything you need to know about Dev Containers Table of Contents What Are Dev Containers? Key Components of Dev Containers Why Use Dev Containers? Consistency Across Environments Simplified Setup Isolation Portability Enhanced Productivity How to Get Started with Dev Containers 1. Install Necessary Tools 2. Create Configuration Files 3. Launch the Dev Container Best Practices for Using Dev Containers 1. Keep Configuration Files Under Version Control 2. Optimize Dockerfile for Performance 3. Define Clear Extension Requirements 4. Manage Secrets Securely Common Use Cases for Dev Containers 1. Multi-language Projects 2. Open Source Contributions 3. Continuous Integration/Continuous Deployment (CI/CD) 4. Experimentation and Prototyping Troubleshooting Common Issues with Dev Containers 1. Container Fails to Build 2. Extensions Not Installing 3. Port Forwarding Not Working 4. Performance Issues 5. Volume Mounting Problems 6. Dependency Conflicts 7. Container Not Starting 8. SSH/Authentication Problems Conclusion What Are Dev Containers? A dev container (short for development container ) is an isolated, reproducible environment tailored for software development. Leveraging containerization technologies like Docker, dev containers encapsulate all the necessary tools, libraries, dependencies, and configurations required for a project. This ensures that your development environment remains consistent, regardless of the underlying host system. Key Components of Dev Containers Container Image : A lightweight, standalone package that includes everything needed to run the application—code, runtime, system tools, libraries, and settings. Dockerfile : A script containing a series of instructions to build the container image. It specifies the base image and outlines steps to install dependencies and configure the environment. devcontainer.json : A configuration file used by development tools (like Visual Studio Code) to customize the container setup. It defines settings such as extensions, port mappings, and environment variables. Why Use Dev Containers? Adopting dev containers offers numerous advantages, especially for developers new to the concept: 1. Consistency Across Environments Dev containers ensure that every team member works in the same environment, eliminating the notorious "it works on my machine" problem. This consistency reduces bugs and streamlines collaboration. 2. Simplified Setup Onboarding new developers becomes a breeze. Instead of manually installing dependencies and configuring environments, newcomers can get started quickly by simply using the predefined dev container configuration. 3. Isolation Dev containers keep project dependencies isolated from the host system. This prevents conflicts between different projects and maintains a clean local environment. 4. Portability Containers are platform-agnostic. Whether you're on Windows, macOS, or Linux, dev containers behave the same way, making it easy to switch between different development setups or collaborate with others. 5. Enhanced Productivity Integration with popular IDEs, like Visual Studio Code, allows developers to work seamlessly inside containers. Features such as debugging, version control, and extensions work as if you were working on a local machine. How to Get Started with Dev Containers Setting up a dev container is straightforward, especially with tools like Visual Studio Code (VS Code) and Docker. Here's a step-by-step guide to help you get started: 1. Install Necessary Tools Docker : Install Docker from docker.com . Docker is essential for creating and managing containers. Visual Studio Code : Download and install VS Code from code.visualstudio.com . Dev Containers Extension : In VS Code, navigate to the Extensions marketplace and install the Dev Containers extension . 2. Create Configuration Files Within your project directory, create a .devcontainer folder. This folder will house the necessary configuration files: Dockerfile : Defines the base image and instructions to set up the container environment. # Use an official Node.js runtime as the base image FROM node:14 # Set the working directory inside the container WORKDIR /usr/src/app # Copy package.json and package-lock.json COPY package*.json ./ # Install project dependencies RUN npm install # Copy the rest of the application code COPY . . # Expose port 3000 EXPOSE 3000 # Define the command to run the application CMD ["npm", "start"] 3. Launch the Dev Container Open your project in VS Code. Press Ctrl+Shift+P (Windows/Linux) or Cmd+Shift+P (macOS) to open the Command Palette. Type Remote-Containers: Open Folder in Container and select it. VS Code will build the container based on your configuration files. This process might take a few minutes, especially the first time. Once built, your project will open inside the container, ready for development. Best Practices for Using Dev Containers To maximize the benefits of dev containers, consider the following best practices: 1. Keep Configuration Files Under Version Control Include your .devcontainer folder in your version control system (e.g., Git). This ensures that all team members use the same environment setup. 2. Optimize Dockerfile for Performance Leverage Caching : Order your Dockerfile instructions to take advantage of Docker's layer caching. For instance, copy package.json and run npm install before copying the rest of the code. This minimizes rebuild times when only code changes. Use Lightweight Base Images : Choose base images that are lightweight to reduce build times and resource usage. 3. Define Clear Extension Requirements Specify only the necessary VS Code extensions in devcontainer.json . This keeps the container lean and ensures faster startup times. 4. Manage Secrets Securely Avoid hardcoding sensitive information in configuration files. Use environment variables or secret management tools to handle credentials securely. Common Use Cases for Dev Containers Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. Dev containers are versatile and can be beneficial in various scenarios: 1. Multi-language Projects Projects that use multiple programming languages or frameworks can define a dev container that includes all necessary tools and dependencies, streamlining the development process. 2. Open Source Contributions Open source projects often attract contributors from diverse backgrounds. Providing a dev container setup allows contributors to get started quickly without worrying about environment configurations. 3. Continuous Integration/Continuous Deployment (CI/CD) Ensuring that the development environment matches the production environment reduces deployment issues. Dev containers can be integrated into CI/CD pipelines to maintain consistency. 4. Experimentation and Prototyping Developers can experiment with new technologies or configurations within isolated containers without affecting their primary development setup. Troubleshooting Common Issues with Dev Containers While dev containers simplify the development workflow, you might encounter some common issues during setup and usage. Below are typical problems developers face with dev containers and straightforward solutions to resolve them. 1. Container Fails to Build Issue: During the build process, the container fails to build, often due to errors in the Dockerfile or missing dependencies. Solution: Check the Dockerfile for syntax errors and ensure all necessary dependencies are correctly specified. Review the build logs to identify the exact step causing the failure and adjust the configurations accordingly. Updating Docker to the latest version can also resolve compatibility issues. 2. Extensions Not Installing Issue: VS Code extensions specified in devcontainer.json are not being installed inside the container. Solution: Verify that the extension identifiers in devcontainer.json are correct and compatible with the container's environment. Ensure that the postCreateCommand is properly configured to install extensions. Restarting VS Code and rebuilding the container can also help apply the changes. 3. Port Forwarding Not Working Issue: Ports exposed in the container are not accessible from the host machine, hindering the ability to test web applications or APIs. Solution: Ensure that the ports are correctly specified in the forwardPorts section of devcontainer.json . Check for any firewall or network settings on the host that might be blocking the ports. Additionally, confirm that the application inside the container is listening on the correct network interface (e.g., 0.0.0.0 ). 4. Performance Issues Issue: Developers experience slow performance or lag when working inside the dev container, affecting productivity. Solution: Optimize the Dockerfile by minimizing the number of layers and using lightweight base images to reduce build times. Allocate sufficient resources (CPU, memory) to Docker through its settings. Avoid unnecessary processes running inside the container to enhance responsiveness. 5. Volume Mounting Problems Issue: Source code or other volumes are not mounting correctly into the container, preventing access to the latest code changes. Solution: Check the mounts configuration in devcontainer.json to ensure paths are correctly specified. Verify that Docker has the necessary permissions to access the directories being mounted. Restarting the container can also help apply any recent changes to the mounting configurations. 6. Dependency Conflicts Issue: Conflicts arise between dependencies required by the project and those installed in the container, leading to build or runtime errors. Solution: Use a clean and specific base image that matches the project's requirements to minimize conflicts. Explicitly define dependency versions in configuration files like package.json or requirements.txt . Consider using virtual environments or dependency managers to isolate and manage dependencies effectively. 7. Container Not Starting Issue: The dev container fails to start, leaving the development environment inaccessible. Solution: Inspect the Docker daemon to ensure it is running correctly and that there are no issues with Docker itself. Review the devcontainer.json and Dockerfile for any misconfigurations or missing commands that could prevent the container from initializing. Rebuilding the container from scratch can often resolve startup issues. 8. SSH/Authentication Problems Issue: Authentication failures occur when trying to access services or repositories from within the dev container. Solution: Ensure that SSH keys and authentication tokens are correctly mounted or copied into the container. Verify that environment variables related to authentication are properly set in devcontainer.json . Using SSH agent forwarding can also help manage secure access without exposing sensitive credentials inside the container. Conclusion Dev containers represent a significant advancement in modern software development, offering consistency, portability, and efficiency. By encapsulating your development environment, you ensure that your projects are reproducible and free from environmental discrepancies. Whether you're working solo or as part of a team, integrating dev containers into your workflow can streamline development processes, reduce setup times, and enhance overall productivity. If you haven't explored dev containers yet, now is the perfect time to dive in. With tools like Docker and Visual Studio Code making setup seamless, embracing dev containers can elevate your development experience to new heights. Start experimenting today and discover the myriad benefits that dev containers have to offer. Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://vibe.forem.com/privacy#8-supplemental-disclosures-for-california-residents
Privacy Policy - Vibe Coding 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 Vibe Coding Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy.  They're called "defined terms," and we use them so that we don't have to repeat the same language again and again.  They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws.  8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:37
https://www.zdnet.com/article/as-meta-fades-in-open-source-ai-nvidia-senses-its-chance-to-lead/
As Meta fades in open-source AI, Nvidia senses its chance to lead | ZDNET X Trending CES live updates 2026: TVs, laptops, and weird gadgets These smart glasses beat the Meta Ray-Bans 6 most exciting products at CES that you can already buy today 5 most exciting TVs we saw at CES 2026 This handheld e-reader has effectively replaced my Kindle The most exciting AI wearable at CES 2026 might not be smart glasses after all I wore the world's first HDR10 smart glasses TCL's new E Ink tablet beats the Remarkable and Kindle Anker's new charger is one of the most unique I've ever seen Best laptop cooling pads Best flip phones Roku TV vs Fire Stick Galaxy Buds 3 Pro vs Apple AirPods Pro 3 M5 MacBook Pro vs M4 MacBook Air Linux Mint vs Zorin OS 4 quick steps to make your Android phone run like new again How much RAM does your Linux PC need How to clear your Android phone cache How to disable ACR on your TV How to turn on Private DNS mode on Android ZDNET Recommends Tech Gaming Headphones Laptops Mobile Accessories Networking PCs Printers Smartphones Smart Watches Speakers Streaming Devices Streaming Services Tablets TVs Wearables Kitchen & Household Office Furniture Office Hardware & Appliances Smart Home Smart Lighting Yard & Outdoors Innovation Artificial Intelligence AR + VR Cloud Digital Transformation Energy Robotics Sustainability Transportation Work Life Accelerate your tech game Paid Content How the New Space Race Will Drive Innovation How the metaverse will change the future of work and society Managing the Multicloud The Future of the Internet The New Rules of Work The Tech Trends to Watch in 2023 Business See all Business Amazon Apple Developer E-Commerce Edge Computing Enterprise Software Executive Google Microsoft Professional Development Social Media SMB Windows How AI is transforming organizations everywhere The intersection of generative AI and engineering Software development: Emerging trends and changing roles Security See all Security Cyber Threats Password Manager Ransomware VPN Cybersecurity: Let's get tactical Securing the Cloud Advice Deals How-to Product Comparisons Product Spotlights Reviews Buying Guides See all Buying Guides Best Samsung phones Best Android phones Best smart rings Best blood pressure watches Best headphones for sleeping Best robot vacuum mops Best web hosting services Best travel VPNs Best VPNs Best AI image generators Best AI chatbots Best 75-inch TVs Best smartphones Best iPhones Best MagSafe battery packs Best digital notebooks Best TV antennas Best TVs Best laptops Best tablets Best smartwatches Best headphones Best live TV streaming services tomorrow belongs to those who embrace it today ZDNET France ZDNET Germany ZDNET Korea ZDNET Japan Go See all Topics Finance Education Health Special Features ZDNET In Depth ZDNET Recommends Newsletters Videos Editorial Guidelines Trending CES live updates 2026: TVs, laptops, and weird gadgets These smart glasses beat the Meta Ray-Bans 6 most exciting products at CES that you can already buy today 5 most exciting TVs we saw at CES 2026 This handheld e-reader has effectively replaced my Kindle The most exciting AI wearable at CES 2026 might not be smart glasses after all I wore the world's first HDR10 smart glasses TCL's new E Ink tablet beats the Remarkable and Kindle Anker's new charger is one of the most unique I've ever seen Best laptop cooling pads Best flip phones Roku TV vs Fire Stick Galaxy Buds 3 Pro vs Apple AirPods Pro 3 M5 MacBook Pro vs M4 MacBook Air Linux Mint vs Zorin OS 4 quick steps to make your Android phone run like new again How much RAM does your Linux PC need How to clear your Android phone cache How to disable ACR on your TV How to turn on Private DNS mode on Android ZDNET Recommends Tech Gaming Headphones Laptops Mobile Accessories Networking PCs Printers Smartphones Smart Watches Speakers Streaming Devices Streaming Services Tablets TVs Wearables Kitchen & Household Office Furniture Office Hardware & Appliances Smart Home Smart Lighting Yard & Outdoors Innovation Artificial Intelligence AR + VR Cloud Digital Transformation Energy Robotics Sustainability Transportation Work Life Accelerate your tech game Paid Content How the New Space Race Will Drive Innovation How the metaverse will change the future of work and society Managing the Multicloud The Future of the Internet The New Rules of Work The Tech Trends to Watch in 2023 Business See all Business Amazon Apple Developer E-Commerce Edge Computing Enterprise Software Executive Google Microsoft Professional Development Social Media SMB Windows How AI is transforming organizations everywhere The intersection of generative AI and engineering Software development: Emerging trends and changing roles Security See all Security Cyber Threats Password Manager Ransomware VPN Cybersecurity: Let's get tactical Securing the Cloud Advice Deals How-to Product Comparisons Product Spotlights Reviews Buying Guides See all Buying Guides Best Samsung phones Best Android phones Best smart rings Best blood pressure watches Best headphones for sleeping Best robot vacuum mops Best web hosting services Best travel VPNs Best VPNs Best AI image generators Best AI chatbots Best 75-inch TVs Best smartphones Best iPhones Best MagSafe battery packs Best digital notebooks Best TV antennas Best TVs Best laptops Best tablets Best smartwatches Best headphones Best live TV streaming services More See all Topics Finance Education Health Special Features ZDNET In Depth ZDNET Recommends Newsletters Videos Editorial Guidelines Innovation Home Innovation Artificial Intelligence As Meta fades in open-source AI, Nvidia senses its chance to lead Nvidia emphasizes greater transparency in its Nemotron 3 models, especially with respect to training data that enterprises care about. Written by Tiernan Ray, Senior Contributing Writer Senior Contributing Writer Dec. 15, 2025 at 6:00 a.m. PT BING-JHEN HONG/iStock Editorial / Getty Images Plus Follow ZDNET:  Add us as a preferred source  on Google. ZDNET key takeaways  Nvidia's Nemotron 3 claims advances in accuracy and cost efficiency. Reports suggest Meta is leaning away from open-source technology. Nvidia argues it's more open than Meta with data transparency. Seizing upon a shift in the field of open-source artificial intelligence , chip giant Nvidia, whose processors dominate AI, has unveiled the third generation of its  Nemotron family of open-source large language models. The new Nemotron 3 family scales the technology from what had been one-billion-parameter and 340-billion-parameter models, the number of neural weights, to three new models, ranging from 30 billion for Nano, 100 billion for Super, and 500 billion for Ultra.  Also:  Meta's Llama 4 'herd' controversy and AI contamination, explained The Nano model, available now on the HuggingFace code hosting platform , increases the throughput in tokens per second by four times and extends the context window -- the amount of data that can be manipulated in the model's memory -- to one million tokens, seven times as large as its predecessor. Nvidia emphasized that the models aim to address several concerns for enterprise users of generative AI , who are concerned about accuracy, as well as the rising cost of processing an increasing number of tokens each time AI makes a prediction.  "With Nemotron 3, we are aiming to solve those problems of openness, efficiency, and intelligence," said Kari Briski, vice president of generative AI software at Nvidia, in an interview with ZDNET before the release.  Also:  Nvidia's latest coup: All of Taiwan on its software The Super version of the model is expected to arrive in January, and Ultra is due in March or April. Llama's waning influence Nvidia, Briski emphasized, has increasing prominence in open-source. "This year alone, we had the most contributions and repositories on HuggingFace," she told me.  It's clear to me from our conversation that Nvidia sees a chance to not only boost enterprise usage, thereby fueling chip sales, but to seize leadership in open-source development of AI.  After all, this field looks like it might lose one of its biggest stars of recent years, Meta Platforms. Also:  3 ways Meta's Llama 3.1 is an advance for Gen AI When Meta, owner of Facebook, Instagram, and WhatsApp, first debuted its open-source Llama gen AI technology in February 2023 , it was a landmark event: a fast, capable model with some code available to researchers, versus the "closed-source," proprietary models of OpenAI, Google, and others.  Llama quickly came to dominate developer attention in open-source tech as Meta unveiled fresh innovations in 2024 and scaled up the technology to compete with the best proprietary frontier models from OpenAI and the rest. But 2025 has been different. The company's rollout of the fourth generation of Llama, in April, was greeted with mediocre reviews and even a controversy about how Meta developed the program .  These days, Llama models don't show up in the top 100 models on LMSYS's popular LMArena Leaderboard , which is dominated by proprietary models Gemini from Google, xAI's Grok, Anthropic's Claude, OpenAI's GPT-5.2, and by open-source models such as DeepSeek AI, Alibaba's Qwen models, and the Kimi K2 model developed by Singapore-based Moonshot AI.  Also:  While Google and OpenAI battle for model dominance, Anthropic is quietly winning the enterprise AI race Charts from the third-party firm Artificial Analysis show a similar ranking. Meanwhile,  the recent "State of Generative AI" report from venture capitalists Menlo Ventures blamed Llama for helping to reduce the use of open-source in the enterprise.  "The model's stagnation -- including no new major releases since the April release of Llama 4 -- has contributed to a decline in overall enterprise open-source share from 19% last year to 11% today," they wrote. Is Meta closing up? Leaderboard scores can come and go, but after a broad reshuffling of its AI team this year, Meta appears poised to place less emphasis on open source.  A forthcoming Meta project code-named Avocado, wrote Bloomberg reporters Kurt Wagner and Riley Griffin last week , "may be launched as a 'closed' model -- one that can be tightly controlled and that Meta can sell access to," according to their unnamed sources.  The move to closed models "would mark the biggest departure to date from the open-source strategy Meta has touted for years," they wrote. Also: I tested GPT-5.2 and the AI model's mixed results raise tough questions Meta's Chief AI Officer, Alexandr Wang, installed this year after Meta invested in his previous company, Scale AI, "is an advocate of closed models," Wagner and Griffin noted. ( An article over the weekend by Eli Tan of The New York Times  suggested that there have been tensions between Wang and various product leads for Instagram and advertising inside of Meta.) When I asked Briski about Menlo Ventures's claim that open source is struggling, she replied, "I agree about the decline of Llama, but I don't agree with the decline of open source." Added Briski, "Qwen models from Alibaba are super popular, DeepSeek is really popular -- I know many, many companies that are fine-tuning and deploying DeepSeek." Focusing on enterprise challenges While Llama may have faded, it's also true that Nvidia's own Nemotron family has not yet reached the top of the leaderboards. In fact, the family of models lags DeepSeek, Kimi, and Qwen, and other increasingly popular offerings. Also:  Gemini vs. Copilot: I tested the AI tools on 7 everyday tasks, and it wasn't even close But Nvidia believes it is addressing many of the pain points that plague enterprise deployment, specifically. One focus of companies is to "cost-optimize," with a mix of closed-source and open-source models, said Briski. "One model does not make an AI application, and so there is this combination of frontier models and then being able to cost-optimize with open models, and how do I route to the right model."  The focus on a selection of models, from Nano to Ultra, is expected to address the need for broad coverage of task requirements. The second challenge is to "specialize" AI models for a mix of tasks in the enterprise, ranging from cybersecurity to electronic design automation and healthcare, Briski said. "When we go across all these verticals, frontier models are really great, and you can send some data to them, but you don't want to send all your data to them," she observed. Open-source tech, then, running "on-premise," is crucial, she said, "to actually help the experts in the field to specialize them for that last mile." Also:  Get your news from AI? Watch out - it's wrong almost half the time The third challenge is the exploding cost of tokens, the output of text, images, sound, and other data forms, generated piece by piece when a live model makes predictions.  "The demand for tokens from all these models being used is just going up," said Briski, especially with "long-thinking" or "reasoning" models that generate verbose output. "This time last year, each query would take maybe 10 LLM calls," noted Briski. "In January, we were seeing each query making about 50 LLM calls, and now, as people are asking more complex questions, there are 100 LLM calls for every query." The 'latent' advantage To balance demands, such as accuracy, efficiency, and cost, the Nemotron 3 models improve upon a popular approach used to control model costs called "mixture of experts (MOE)," where the model can turn on and off groups of the neural network weights to run with less computing effort.  The fresh approach, called "latent mixture of experts," used in the Super and Ultra models, compresses the memory used to store data in the model weights, while multiple "expert" neural networks use the data.  Also:  Sick of AI in your search results? Try these 8 Google alternatives "We're getting four times better memory usage by reducing the KV-cache," compared to the prior Nemotron, said Briski, referring to the part of a large language model that stores the most-relevant recent search results in response to a query. Nvidia The more-efficient latent MOE should give greater accuracy at a lower cost while preserving the latency, how fast the first token comes back to the user, and bandwidth, the number of tokens transmitted per second. In data provided by Artificial Analysis, said Briski, Nemotron 3 Nano surpasses a top model, OpenAI's GPT-OSS, in terms of accuracy of output and the number of tokens generated each second.  More detail on the technical innovations is available in a separate, technical  Nvidia blog post on Nemotron 3. Artificial Analysis Open-sourcing the data Another big concern for enterprises is the data that goes into models, and Briski said the company aims to be much more transparent with its open-source approach.  "A lot of our enterprise customers can't deploy with some models, or they can't build their business on a model that they don't know what the source code is," she said, including training data. The Nemotron 3 release on HuggingFace includes not only the model weights but also 3 trillion tokens of training data that was used by Nvidia for pre-training, post-training and reinforcement learning. (As the model card states, the Nano model required 10 trillion tokens in total for training, testing, and evaluation, but not all data sets are able to be shared, Nvidia explained.)  There is a separate data set for "agentic safety," which the company says will provide "real-world telemetry to help teams evaluate and strengthen the safety of complex agent systems." "If you consider the data sets, the source code, everything that we use to train is open," said Briski. "Literally, every piece of data that we train the model with, we are releasing." Also: Meta inches toward open source AI with new Llama 3.1 Meta's team has not been as open, she said. "Llama did not release their data sets at all; they released the weights," Briski told me. When Nvidia partnered with Meta last year, she said, to convert the Llama 3.1 models to smaller Nemotron models, via a popular approach known as "distillation," Meta withheld resources from Nvidia. "Even with us as a great partner, they wouldn't even release a sliver of the data set to help distill the model," she said. "That was a recipe we kind of had to come up with on our own." Nvidia's emphasis on data transparency may help to reverse a worrying trend toward diminished transparency. Scholars at MIT recently conducted a broad study of code repositories on HuggingFace . They related that truly open-source postings are on the decline, citing "a clear decline in both the availability and disclosure of models' training data." As lead author Shayne Longpr and team pointed out, "The Open Source Initiative defines open source AI models as those which have open model weights, but also 'sufficiently detailed information about their [training] data'," adding, "Without training data disclosure, a released model is considered 'open weight' rather than 'open source'." What's at stake for Nvidia, Meta It's clear Nvidia and Meta have different priorities. Meta needs to make a profit from AI to reassure Wall Street about its planned spending of hundreds of billions of dollars to build AI data centers.  Nvidia, the world's largest company, needs to ensure it keeps developers hooked on its chip platform, which generates the majority of its revenue. Also: US government agencies can use Meta's Llama now - here's what that means Meta CEO Mark Zuckerberg has suggested Llama is still important, telling Wall Street analysts in October, "As we improve the quality of the model, primarily for post-training Llama 4, at this point, we continue to see improvements in usage." However, he also emphasized moving beyond just having a popular LLM with the new directions his newly formed Meta Superintelligence Labs (MSL) will take.   "So, our view is that when we get the new models that we're building in MSL in there, and get, like, truly frontier models with novel capabilities that you don't have in other places, then I think that this is just a massive latent opportunity." As for Nvidia, "Large language models and generative AI are the way that you will design software of the future," Briski told me. "It's the new development platform." Support is key, she said, and, in what could be taken as a dig at Zuckerberg's intransigence, though not intended as such, Briski invoked the words of Nvidia founder and CEO Jensen Huang: "As Jensen says, we'll support it as long as we shall live." Artificial Intelligence I'm a Photoshop diehard, but Canva's free tools won me over - and saved me money AI will cause 'jobs chaos' within the next few years, says Gartner - what that means I've tried many AI smart glasses in 2025 (including Meta Display) - these are the only ones I'd wear all day Why AI coding tools like Cursor and Replit are doomed - and what comes next I'm a Photoshop diehard, but Canva's free tools won me over - and saved me money AI will cause 'jobs chaos' within the next few years, says Gartner - what that means I've tried many AI smart glasses in 2025 (including Meta Display) - these are the only ones I'd wear all day Why AI coding tools like Cursor and Replit are doomed - and what comes next Editorial standards Show Comments Log In to Comment Community Guidelines Related How DeepSeek's new way to train advanced AI models could disrupt everything - again Nvidia just unveiled Rubin - and it may transform AI computing as we know it Nvidia's physical AI models clear the way for next-gen robots - here's what's new ZDNET we equip you to harness the power of disruptive innovation, at work and at home. Topics Galleries Videos Do Not Sell or Share My Personal Information about ZDNET Meet The Team Sitemap Reprint Policy Join | Log In Newsletters Licensing Accessibility © 2026 ZDNET, A Ziff Davis company. All rights reserved. Privacy Policy | | Cookie Settings | Advertise | Terms of Use
2026-01-13T08:49:37
https://developers.googleblog.com/en/a2a-a-new-era-of-agent-interoperability/#:~:text=Wipro,their%20entire%20enterprise%20application%20estates
Announcing the Agent2Agent Protocol (A2A) - Google Developers Blog Products Develop Android Chrome ChromeOS Cloud Firebase Flutter Google Assistant Google Maps Platform Google Workspace TensorFlow YouTube Grow Firebase Google Ads Google Analytics Google Play Search Web Push and Notification APIs Earn AdMob Google Ads API Google Pay Google Play Billing Interactive Media Ads Solutions Events Learn Community Groups Google Developer Groups Google Developer Student Clubs Woman Techmakers Google Developer Experts Tech Equity Collective Programs Accelerator Solution Challenge DevFest Stories All Stories Developer Program Blog Search Products More Solutions Events Learn Community More Developer Program Blog Develop Android Chrome ChromeOS Cloud Firebase Flutter Google Assistant Google Maps Platform Google Workspace TensorFlow YouTube Grow Firebase Google Ads Google Analytics Google Play Search Web Push and Notification APIs Earn AdMob Google Ads API Google Pay Google Play Billing Interactive Media Ads Groups Google Developer Groups Google Developer Student Clubs Woman Techmakers Google Developer Experts Tech Equity Collective Programs Accelerator Solution Challenge DevFest Stories All Stories Cloud Announcing the Agent2Agent Protocol (A2A) APRIL 9, 2025 Rao Surapaneni VP and GM Business Application Platform Miku Jha Director, AI/ML Partner Engineering Google Cloud Michael Vakoc Product Manager Google Cloud Todd Segal Principal Engineer Business Application Platform Share Facebook Twitter LinkedIn Mail A new era of Agent Interoperability AI agents offer a unique opportunity to help people be more productive by autonomously handling many daily recurring or complex tasks. Today, enterprises are increasingly building and deploying autonomous agents to help scale, automate and enhance processes throughout the workplace–from ordering new laptops, to aiding customer service representatives, to assisting in supply chain planning. To maximize the benefits from agentic AI, it is critical for these agents to be able to collaborate in a dynamic, multi-agent ecosystem across siloed data systems and applications. Enabling agents to interoperate with each other, even if they were built by different vendors or in a different framework, will increase autonomy and multiply productivity gains, while lowering long-term costs. Today, we’re launching a new, open protocol called Agent2Agent (A2A), with support and contributions from more than 50 technology partners like Atlassian, Box, Cohere, Intuit, Langchain, MongoDB, PayPal, Salesforce, SAP, ServiceNow, UKG and Workday; and leading service providers including Accenture, BCG, Capgemini, Cognizant, Deloitte, HCLTech, Infosys, KPMG, McKinsey, PwC, TCS, and Wipro. The A2A protocol will allow AI agents to communicate with each other, securely exchange information, and coordinate actions on top of various enterprise platforms or applications. We believe the A2A framework will add significant value for customers, whose AI agents will now be able to work across their entire enterprise application estates. This collaborative effort signifies a shared vision of a future when AI agents, regardless of their underlying technologies, can seamlessly collaborate to automate complex enterprise workflows and drive unprecedented levels of efficiency and innovation. A2A is an open protocol that complements Anthropic's Model Context Protocol (MCP), which provides helpful tools and context to agents. Drawing on Google's internal expertise in scaling agentic systems, we designed the A2A protocol to address the challenges we identified in deploying large-scale, multi-agent systems for our customers. A2A empowers developers to build agents capable of connecting with any other agent built using the protocol and offers users the flexibility to combine agents from various providers. Critically, businesses benefit from a standardized method for managing their agents across diverse platforms and cloud environments. We believe this universal interoperability is essential for fully realizing the potential of collaborative AI agents. A2A design principles A2A is an open protocol that provides a standard way for agents to collaborate with each other, regardless of the underlying framework or vendor. While designing the protocol with our partners, we adhered to five key principles: Embrace agentic capabilities : A2A focuses on enabling agents to collaborate in their natural, unstructured modalities, even when they don’t share memory, tools and context. We are enabling true multi-agent scenarios without limiting an agent to a “tool.” Build on existing standards: The protocol is built on top of existing, popular standards including HTTP, SSE, JSON-RPC, which means it’s easier to integrate with existing IT stacks businesses already use daily. Secure by default : A2A is designed to support enterprise-grade authentication and authorization, with parity to OpenAPI’s authentication schemes at launch. Support for long-running tasks: We designed A2A to be flexible and support scenarios where it excels at completing everything from quick tasks to deep research that may take hours and or even days when humans are in the loop. Throughout this process, A2A can provide real-time feedback, notifications, and state updates to its users. Modality agnostic: The agentic world isn’t limited to just text, which is why we’ve designed A2A to support various modalities, including audio and video streaming. How A2A works A2A facilitates communication between a "client" agent and a “remote” agent. A client agent is responsible for formulating and communicating tasks, while the remote agent is responsible for acting on those tasks in an attempt to provide the correct information or take the correct action. This interaction involves several key capabilities: Capability discovery: Agents can advertise their capabilities using an “Agent Card” in JSON format, allowing the client agent to identify the best agent that can perform a task and leverage A2A to communicate with the remote agent. Task management: The communication between a client and remote agent is oriented towards task completion, in which agents work to fulfill end-user requests. This “task” object is defined by the protocol and has a lifecycle. It can be completed immediately or, for long-running tasks, each of the agents can communicate to stay in sync with each other on the latest status of completing a task. The output of a task is known as an “artifact.” Collaboration: Agents can send each other messages to communicate context, replies, artifacts, or user instructions. User experience negotiation: Each message includes “parts,” which is a fully formed piece of content, like a generated image. Each part has a specified content type, allowing client and remote agents to negotiate the correct format needed and explicitly include negotiations of the user’s UI capabilities–e.g., iframes, video, web forms, and more. See the full details of how the protocol works in our draft specification . A real-world example: candidate sourcing Sorry, your browser doesn't support playback for this video right click to view in new tab Hiring a software engineer can be significantly simplified with A2A collaboration. Within a unified interface like Agentspace, a user (e.g., a hiring manager) can task their agent to find candidates matching a job listing, location, and skill set. The agent then interacts with other specialized agents to source potential candidates. The user receives these suggestions and can then direct their agent to schedule further interviews, streamlining the candidate sourcing process. After the interview process completes, another agent can be engaged to facilitate background checks. This is just one example of how AI agents need to collaborate across systems to source a qualified job candidate. The future of agent interoperability A2A has the potential to unlock a new era of agent interoperability, fostering innovation and creating more powerful and versatile agentic systems. We believe that this protocol will pave the way for a future where agents can seamlessly collaborate to solve complex problems and enhance our lives. We’re committed to building the protocol in collaboration with our partners and the community in the open. We’re releasing the protocol as open source and setting up clear pathways for contribution. Review the full specification draft , try out code samples, and see example scenarios on the A2A website and learn how you can contribute. We are working with partners to launch a production-ready version of the protocol later this year. Feedback from our A2A partners We're thrilled to have a growing and diverse ecosystem of partners actively contributing to the definition of the A2A protocol and its technical specification. Their insights and expertise are invaluable in shaping the future of AI interoperability. Here's what some of our key partners are saying about the A2A protocol: Technology & Platform Partners ask-ai.com Ask-AI is excited to collaborate with Google on the A2A protocol, shaping the future of AI interoperability and seamless agent collaboration, advancing its leadership in Enterprise AI for Customer Experience. – CEO Alon Talmor PhD Atlassian With Atlassian's investment in Rovo agents, the development of a standardized protocol like A2A will help agents successfully discover, coordinate, and reason with one another to enable richer forms of delegation and collaboration at scale. – Brendan Haire VP, Engineering of AI Platform. Atlassian Articul8 At Articul8, we believe that AI must collaborate and interoperate to truly scale across the enterprise. We’re excited to support the development of the A2A interoperability protocol – an initiative that aligns perfectly with our mission to deliver domain-specific GenAI capabilities that seamlessly operate across complex systems and workflows. We’re enabling Articul8's ModelMesh (an 'Agent-of-Agents') to treat A2A as a first-class citizen, enabling secure, seamless communication between intelligent agents. – Arun Subramaniyan, Founder & CEO of Articul8 Arize AI Arize AI is proud to partner with Google as a launch partner for the A2A interoperability protocol, advancing seamless, secure interaction across AI agents as part of Arize's commitment to open-source evaluation and observability frameworks positions. – Jason Lopatecki, Cofounder & CEO, Arize AI BCG BCG helps redesign organizations with intelligence at the core. Open and interoperable capabilities like A2A can accelerate this, enabling sustained, autonomous competitive advantage. – Djon Kleine, Managing Director & Partner at BCG Box We look forward to expanding our partnership with Google to enable Box agents to work with Google Cloud’s agent ecosystem using A2A, innovating together to shape the future of AI agents while empowering organizations to better automate workflows, lower costs, and generate trustworthy AI outputs. – Ketan Kittur, VP Product Management, Platform and Integrations at Box C3 AI At C3 AI, we believe that open, interoperable systems are key to making Enterprise AI work and deliver value in the real world–and A2A has the potential to help customers break down silos and securely enable AI agents to work together across systems, teams, and applications. – Nikhil Krishnan - C3 AI SVP and Chief Technology Officer, Data Science Chronosphere A2A will enable reliable and secure agent specialization and coordination to open the door for a new era of compute orchestration, empowering companies to deliver products and services faster, more reliably, and enabling them to refocus their engineering efforts on driving innovation and value. – Rob Skillington, Founder /CTO Cognizant "As a pioneer in enterprise multi-agent systems, Cognizant is committed and actively pursuing agent interoperability as a critical requirement for our clients." - Babak Hodjat, CTO - AI Cohere At Cohere, we’re building the secure AI infrastructure enterprises need to adopt autonomous agents confidently, and the open A2A protocol ensures seamless, trusted collaboration—even in air-gapped environments—so that businesses can innovate at scale without compromising control or compliance. – Autumn Moulder, VP of Engineering at Cohere Confluent A2A enables intelligent agents to establish a direct, real-time data exchange, simplifying complex data pipelines to fundamentally change how agents communicate and facilitate decisions. – Pascal Vantrepote, Senior Director of Innovation, Confluent Cotality (formerly CoreLogic) A2A opens the door to a new era of intelligent, real-time communication and collaboration, which Cotality will bring to clients in home lending, insurance, real estate, and government—helping them to improve productivity, speed up decision-making. – Sachin Rajpal, Managing Director, Data Solutions, Cotality DataStax DataStax is excited to be part of A2A and explore how it can support Langflow, representing an important step toward truly interoperable AI systems that can collaborate on complex tasks spanning multiple environments. – Ed Anuff, Chief Product Officer, DataStax Datadog We're excited to see Google Cloud introduce the A2A protocol to streamline the development of sophisticated agentic systems, which will help Datadog enable its users to build more innovative, optimized, and secure agentic AI applications. – Yrieix Garnier, VP of Product at Datadog Elastic Supporting the vision of open, interoperable agent ecosystems, Elastic looks forward to working with Google Cloud and other industry leaders on A2A and providing its data management and workflow orchestration experience to enhance the protocol. – Steve Kearns, GVP and GM of Search, Elastic GrowthLoop A2A has the potential to accelerate GrowthLoop's vision of Compound Marketing for our customers—enabling our AI agents to seamlessly collaborate with other specialized agents, learn faster from enterprise data, and rapidly optimize campaigns across the marketing ecosystem, all while respecting data privacy on the customer's cloud infrastructure. – Anthony Rotio, Chief Data Strategy Officer, GrowthLoop Harness Harness is thrilled to support A2A and is committed to simplifying the developer experience by integrating AI-driven intelligence into every stage of the software lifecycle, empowering teams to gain deeper insights from runtime data, automate complex workflows, and enhance system performance. – Gurashish Brar, Head of Engineering at Harness. Incorta Incorta is excited to support A2A and advance agent communication for customers,making the future of enterprise automation smarter, faster, and truly data-driven. – Osama Elkady CEO Incorta Intuit Intuit strongly believes that an open-source protocol such as A2A will enable complex agent workflows, accelerate our partner integrations, and move the industry forward with cross-platform agents that collaborate effectively. – Tapasvi Moturu, Vice President, Software Engineering for Agentic Frameworks, at Intuit JetBrains We’re excited to be a launch partner for A2A, an initiative that enhances agentic collaboration and brings us closer to a truly multi-agent world, empowering developers across JetBrains IDEs, team tools, and Google Cloud. – Vladislav Tankov, Director of AI, JetBrains JFrog JFrog is excited to join the A2A protocol, an initiative we believe will help to overcome many of today’s integration challenges and be a key driver for the next generation of agentic applications. – Yoav Landman, CTO and Co-founder, JFrog LabelBox A2A is a key step toward realizing the full potential of AI agents, supporting a future where AI can truly augment human capabilities, automate complex workflows and drive innovation. – Manu Sharma Founder & CEO LangChain LangChain believes agents interacting with other agents is the very near future, and we are excited to be collaborating with Google Cloud to come up with a shared protocol which meets the needs of the agent builders and users. – Harrison Chase Co-Founder and CEO at LangChain MongoDB By combining the power of MongoDB’s robust database infrastructure and hybrid search capabilities with A2A and Google Cloud’s cutting edge AI models, businesses can unlock new possibilities across industries like retail, manufacturing, and beyond to redefine the future of AI applications. – Andrew Davidson, SVP of Products at MongoDB Neo4j Neo4j is proud to partner with Google Cloud, combining our graph technology's knowledge graph and GraphRAG capabilities with A2A to help organizations unlock new levels of automation and intelligence while ensuring agent interactions remain contextually relevant, explainable and trustworthy. – Sudhir Hasbe, Chief Product Officer at Neo4j New Relic We believe the collaboration between Google Cloud’s A2A protocol and New Relic’s Intelligent Observability platform will provide significant value to our customers by simplifying integrations, facilitating data exchange across diverse systems, and ultimately creating a more unified AI agent ecosystem. – Thomas Lloyd, Chief Business and Operations Officer, New Relic Pendo We’re proud to partner on Google Cloud’s A2A protocol, which will be a critical step toward enabling AI agents to work together effectively, while maintaining trust and usability at scale. – Rahul Jain, Co-founder & CPO at Pendo PayPal PayPal supports Google Cloud’s A2A protocol, which represents a new way for developers and merchants to create next-generation commerce experiences, powered by agentic AI. -Prakhar Mehrotra, SVP & Head of Artificial Intelligence at PayPal PwC At PwC, we believe the future of enterprise AI lies in seamless collaboration—not just between people and systems, but between agents themselves—which is why we’re proud to support agent2agent in collaboration with PwC’s agent OS, helping set the standard for secure, scalable agent interoperability across the enterprise." - Dallas Dolen, Global Google Cloud Alliance Leader SAP SAP is committed to collaborating with Google Cloud and the broader ecosystem to shape the future of agent interoperability through the A2A protocol—a pivotal step toward enabling SAP Joule and other AI agents to seamlessly work across enterprise platforms and unlock the full potential of end-to-end business processes. – Walter Sun, SVP & Global Head of AI Engineering Salesforce Salesforce is leading with A2A standard support to extend our open platform, enabling AI agents to work together seamlessly across Agentforce and other ecosystems to turn disconnected capabilities into orchestrated solutions and deliver an enhanced digital workforce for customers and employees. – Gary Lerhaupt, VP Product Architecture ServiceNow ServiceNow and Google Cloud are collaborating to set a new industry standard for agent-to-agent interoperability, and we believe A2A will pave the way for more efficient and connected support experiences. – Pat Casey, Chief Technology Officer & EVP of DevOps, ServiceNow Supertab With Google Cloud’s A2A protocol and Supertab Connect, agents will be able to pay for, charge for, and exchange services — just like human businesses do. – Cosmin Ene, Founder of Supertab UiPath As a leader in enterprise automation and a pioneer in agentic orchestration, UiPath is excited to partner with Google on adopting and enhancing the A2A protocol and establishing an industry standard for seamless agent-to-agent communication – which is a significant step towards a future in which AI agents, robots and humans collaborate seamlessly to drive transformative business outcomes. – Graham Sheldon, Chief Product Officer UKG We're thrilled at UKG to be collaborating with Google Cloud on the new A2A protocol, a framework that will allow us to build even smarter, more supportive human capital and workforce experiences that anticipate and respond to employee needs like never before. – Eli Tsinovoi, Head of AI at UKG Weights & Biases Weights & Biases is proud to collaborate with Google Cloud on the A2A protocol, setting a critical open standard that will empower organizations to confidently deploy, orchestrate, and scale diverse AI agents, regardless of underlying technologies. – Shawn Lewis, CTO and co-founder at Weights & Biases Services Partners Accenture The multi-agent A2A protocol from Google Cloud is the bridge that will unite domain specific agents across diverse platforms to solve complex challenges, enabling seamless communication and collective intelligence for smarter and effective agentic solutions. – Scott Alfieri, AGBG Global lead, Accenture Capgemini At Capgemini, we are excited to partner with Google Cloud in the A2A interoperability initiative. Allowing AI Agents to communicate across the ecosystem of platforms can truly accelerate the value of agentic AI for enterprises. – Herschel Parikh, Global Google Cloud Partner Executive, Capgemini Deloitte Agent-to-agent interoperability is a foundational element of enabling the evolution of agentic AI architectures, and Google Cloud’s A2A initiative to bring together an ecosystem of technology industry participants to co-develop and support this protocol will immensely accelerate agentic AI adoption. – Gopal Srinivasan, Deloitte EPAM We are already leading the way in the A2A space by focusing on industry solutions that provide real business value—saving time, reducing overhead and helping our clients drive revenue and enhance processes like the development of FDA documentation during the drug discovery process. – Marc Cerro, VP of Global Google Cloud Partnership at EPAM HCLTech HCLTech is at the forefront of the agentic enterprise, and we are proud to partner with Google Cloud in defining agent-to-agent interoperability and advancing agentic AI possibilities through the open A2A standard. – Vijay Guntur, Chief Technology Officer and Head of Ecosystems, HCLTech KPMG At KPMG, we are excited to be part of this emerging initiative as A2A provides the essential standard we need for different AI agents to truly collaborate effectively and responsibly, which will enable customers and businesses to seamlessly harness AI for innovation and efficiency gains. – Sherif AbdElGawad, Partner, Google Cloud & AI Leader, KPMG Quantiphi The ability for agents to dynamically discover capabilities and build user experiences across platforms is crucial for unlocking the true potential of enterprises. We see the A2A protocol as a pivotal step to empower businesses to build such interoperable agents. -Asif Hasan, Co-founder of Quantiphi TCS (Tata Consultancy Services) The A2A protocol is the foundation for the next era of agentic automation, where Semantic Interoperability takes prominence, and we're proud to lead this transformative journey. – Anupam Singhal, President, Manufacturing business, Tata Consultancy Services (TCS) Wipro Because the future of AI lies in seamless collaboration, open protocols like A2A will be the foundation of an ecosystem where AI agents drive innovation at scale. – Nagendra P Bandaru, Managing Partner and Global Head – Technology Services (Wipro) Learn more about A2A To learn more about the A2A framework, delve into the full specification draft and explore available code samples to examine the protocol's structure experiment with its code. We encourage you to contribute to the protocol's evolution and help us define the future of agent interoperability by submitting ideas , contributing to the documentation , and engaging with the community. posted in: Cloud AI Cloud Announcements Industry Trends Agentic AI AI agents Previous Next Related Posts AI Announcements Under the Hood: Universal Commerce Protocol (UCP) JAN. 11, 2026 AI Cloud Best Practices A Developer's Guide to Debugging JAX on Cloud TPUs: Essential Tools and Techniques JAN. 5, 2026 AI Announcements Problem-Solving Gemini 3 Flash is now available in Gemini CLI DEC. 17, 2025 Cloud Firebase Mobile Web Announcements Advancing agentic AI development with Firebase Studio JULY 10, 2025 Cloud AI Industry Trends Solutions Stanford’s Marin foundation model: The first fully open model developed using JAX JULY 16, 2025 Connect Blog Bluesky Instagram LinkedIn X (Twitter) YouTube Programs Google Developer Program Google Developer Groups Google Developer Experts Accelerators Women Techmakers Google Cloud & NVIDIA Developer consoles Google API Console Google Cloud Platform Console Google Play Console Firebase Console Actions on Google Console Cast SDK Developer Console Chrome Web Store Dashboard Google Home Developer Console Android Chrome Firebase Google Cloud Platform All products Manage cookies Terms Privacy
2026-01-13T08:49:37
https://www.fsf.org/working-together/#ft
Working together for free software — Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › Working together for free software Info Working together for free software by Free Software Foundation Contributions — Published on Jun 24, 2010 03:29 PM Free software is simply software that respects our freedom — our freedom to learn and understand the software we are using. Free software is designed to free the user from restrictions put in place by proprietary software, and so using free software lets you join a global community of people who are making the political and ethical assertion of our rights to learn and to share what we learn with others. The free software GNU operating system, which began development in 1984 is now used by millions of people worldwide as a replacement to both Microsoft Windows and Apple's macOS operating systems. Because most software we buy or download from the web denies us these rights , we can look at the reasons why: usually we don't actually buy ownership of the software but instead, receive a license to use the software, binding us with many fine-print rules about what we can and cannot do . We should be able to make copies of software and give them to our friends, we should be able to figure out how programs work and change them, we should be able to put copies of software on all the computers in our home or office — these are all things that software licenses are traditionally designed to prevent. Enter the free software movement: groups of individuals in collaboration over the Internet and in local groups, working together for the rights of computer users worldwide, creating new software to replace the bad licenses on your computer with community built software that removes the restrictions put in place and creates new and exciting ways to use computers for social good. Meet the community Meet the Free Software Community Look who's using free software Get started with free software Learn how you can install free software on your computer Meet some of the free software programs you can install Through our Working Together for Free Software campaign fund , you can donate to help advance free software in specific areas. The next steps towards full free software Take the next steps toward complete software freedom For free software projects Join the Working Together for Free Software Fund Read this page in Spanish . Прочитайте эту страницу на русском языке. Document Actions Share on social networks Syndicate: News Events Blogs Jobs GNU 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:37
https://forem.com/t/ec2/page/5
Ec2 Page 5 - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # ec2 Follow Hide Create Post Older #ec2 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 Amazon Elastic Compute Cloud (Amazon EC2) Matheus Patricio Matheus Patricio Matheus Patricio Follow May 28 '25 Amazon Elastic Compute Cloud (Amazon EC2) # aws # ec2 # cloud # learning Comments Add Comment 4 min read Demystifying AWS EC2: A Restaurant Analogy for Developers Francisco Escobar Francisco Escobar Francisco Escobar Follow May 25 '25 Demystifying AWS EC2: A Restaurant Analogy for Developers # aws # ec2 # cloud # compute 1  reaction Comments Add Comment 3 min read GitHub and EC2 manual deployment with Deploy keys Swarup Mahato Swarup Mahato Swarup Mahato Follow Jun 8 '25 GitHub and EC2 manual deployment with Deploy keys # aws # ec2 # github # kubernetes 7  reactions Comments 4  comments 2 min read AWS Compute Services: The Complete Guide to EC2 and Beyond Eunice js Eunice js Eunice js Follow Apr 20 '25 AWS Compute Services: The Complete Guide to EC2 and Beyond # ec2 # aws Comments Add Comment 3 min read 🚀 AWS EC2 Public DNS Now Supports IPv6 — Here's Why That's a Big Deal Latchu@DevOps Latchu@DevOps Latchu@DevOps Follow May 23 '25 🚀 AWS EC2 Public DNS Now Supports IPv6 — Here's Why That's a Big Deal # aws # ec2 # devops 3  reactions Comments Add Comment 2 min read AWS EC2 Image Builder by example with Terraform Piotr Pabis Piotr Pabis Piotr Pabis Follow for AWS Community Builders May 23 '25 AWS EC2 Image Builder by example with Terraform # aws # ec2 # terraform # ami 2  reactions Comments Add Comment 9 min read AWS Compute Services: The Complete Guide to EC2 and Beyond Eunice js Eunice js Eunice js Follow Apr 17 '25 AWS Compute Services: The Complete Guide to EC2 and Beyond # ec2 # aws Comments Add Comment 3 min read AWS Compute Services: The Complete Guide to EC2 and Beyond Eunice js Eunice js Eunice js Follow Apr 17 '25 AWS Compute Services: The Complete Guide to EC2 and Beyond # ec2 # aws Comments Add Comment 3 min read Deploy My First Node.js App on AWS: EC2 + Docker + RDS MySQL Explained Soumen Bhunia Soumen Bhunia Soumen Bhunia Follow May 20 '25 Deploy My First Node.js App on AWS: EC2 + Docker + RDS MySQL Explained # aws # rds # ec2 # docker Comments Add Comment 2 min read 🚀AWS EC2 Auto Scaling: Your Ultimate Guide to Resilient & Cost-Effective Apps in 2025 PHANI KUMAR KOLLA PHANI KUMAR KOLLA PHANI KUMAR KOLLA Follow May 17 '25 🚀AWS EC2 Auto Scaling: Your Ultimate Guide to Resilient & Cost-Effective Apps in 2025 # aws # cloudcomputing # ec2 # tutorial 5  reactions Comments 1  comment 13 min read Deploy NodeJs Application in EC2 with HTTPS and CI/CD ArunEz ArunEz ArunEz Follow May 16 '25 Deploy NodeJs Application in EC2 with HTTPS and CI/CD # aws # ec2 # node # nginx Comments Add Comment 1 min read 🚀 Speed Up Windows Instance Launches with EC2 Fast Launch – Now Easier Than Ever! Latchu@DevOps Latchu@DevOps Latchu@DevOps Follow May 15 '25 🚀 Speed Up Windows Instance Launches with EC2 Fast Launch – Now Easier Than Ever! # aws # ec2 # devops # vpc Comments Add Comment 1 min read 🚀 Amazon EC2 Makes It Easier to Launch Windows Instances with Fast Launch (May 2025 Update) Latchu@DevOps Latchu@DevOps Latchu@DevOps Follow May 15 '25 🚀 Amazon EC2 Makes It Easier to Launch Windows Instances with Fast Launch (May 2025 Update) # aws # ec2 # devops # vpc Comments Add Comment 1 min read How to Host an Express App on AWS EC2 with NGINX (Free Tier Guide) blueberries blueberries blueberries Follow May 2 '25 How to Host an Express App on AWS EC2 with NGINX (Free Tier Guide) # aws # nginx # node # ec2 Comments Add Comment 7 min read 📊 New: Amazon CloudWatch Agent Now Supports Detailed EBS Performance Metrics (June 2025) Latchu@DevOps Latchu@DevOps Latchu@DevOps Follow Jun 10 '25 📊 New: Amazon CloudWatch Agent Now Supports Detailed EBS Performance Metrics (June 2025) # aws # ebs # ec2 # cloudwatch Comments 2  comments 2 min read 🔐 15 AWS Security Group & NACL Real-World Scenario-Based Interview Questions Latchu@DevOps Latchu@DevOps Latchu@DevOps Follow May 12 '25 🔐 15 AWS Security Group & NACL Real-World Scenario-Based Interview Questions # aws # nacl # ec2 # vpc 5  reactions Comments Add Comment 3 min read Introduction to Amazon EC2 and Its Use Cases Arthurite Integrated Arthurite Integrated Arthurite Integrated Follow Apr 8 '25 Introduction to Amazon EC2 and Its Use Cases # aws # ec2 # linux # arthuriteintegrated Comments Add Comment 4 min read 🚀 Faster EC2 Launches: Amazon EBS Adds Provisioned Rate for Volume Initialization Latchu@DevOps Latchu@DevOps Latchu@DevOps Follow May 10 '25 🚀 Faster EC2 Launches: Amazon EBS Adds Provisioned Rate for Volume Initialization # aws # ebs # ec2 # devops 5  reactions Comments Add Comment 2 min read EC2 User Data for Beginners Rajath Kumar K S Rajath Kumar K S Rajath Kumar K S Follow Apr 6 '25 EC2 User Data for Beginners # aws # ec2 # cloud # programming Comments Add Comment 4 min read AWS Alert Validation - EC2 Jens Båvenmark Jens Båvenmark Jens Båvenmark Follow for AWS Community Builders May 8 '25 AWS Alert Validation - EC2 # aws # cloudwatch # ec2 # alarm 3  reactions Comments Add Comment 5 min read Unlocking AWS EC2 Storage: Instance Store vs. EBS – A Deep Dive into Performance, Persistence, and Modern Features PHANI KUMAR KOLLA PHANI KUMAR KOLLA PHANI KUMAR KOLLA Follow May 6 '25 Unlocking AWS EC2 Storage: Instance Store vs. EBS – A Deep Dive into Performance, Persistence, and Modern Features # aws # ebs # ec2 # cloudcomputing 5  reactions Comments 1  comment 11 min read Free SSL subdomain assigned to AWS EC2 instance with Certbot Phạm Nguyễn Hải Anh Phạm Nguyễn Hải Anh Phạm Nguyễn Hải Anh Follow for AWS Community Builders May 5 '25 Free SSL subdomain assigned to AWS EC2 instance with Certbot # aws # ec2 # certificate # ssl 6  reactions Comments 2  comments 4 min read 🔐 AWS Elastic Beanstalk Now Supports Custom Security Group Configuration Latchu@DevOps Latchu@DevOps Latchu@DevOps Follow May 5 '25 🔐 AWS Elastic Beanstalk Now Supports Custom Security Group Configuration # aws # devops # ec2 # container 1  reaction Comments Add Comment 2 min read 🚀 How I Launched My First EC2 Instance on AWS (A Beginner's Guide) Kaustav Dey Kaustav Dey Kaustav Dey Follow May 4 '25 🚀 How I Launched My First EC2 Instance on AWS (A Beginner's Guide) # aws # cloud # ec2 # beginners Comments Add Comment 3 min read How to gain maximum out of AWS Compute Architectures? VijayaNirmalaGopal VijayaNirmalaGopal VijayaNirmalaGopal Follow for AWS Community Builders Mar 29 '25 How to gain maximum out of AWS Compute Architectures? # aws # ec2 # savings # highavailability 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 — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account
2026-01-13T08:49:37
https://vibe.forem.com/privacy#12-contact-us
Privacy Policy - Vibe Coding 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 Vibe Coding Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy.  They're called "defined terms," and we use them so that we don't have to repeat the same language again and again.  They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws.  8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:37
https://open.forem.com/qwegle_insights
Qwegle Tech - Open 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 Open Forem Close Follow User actions Qwegle Tech Building smarter UX for a faster future. Qwegle simplifies tech, design, and AI for the real world. Joined Joined on  Jun 19, 2025 More info about @qwegle_insights Badges Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Post 2 posts published Comment 3 comments written Tag 2 tags followed Why India’s Gig Worker Strike Is About Technology Qwegle Tech Qwegle Tech Qwegle Tech Follow Dec 31 '25 Why India’s Gig Worker Strike Is About Technology # news # gig # gigworkers # company Comments Add Comment 4 min read Want to connect with Qwegle Tech? Create an account to connect with Qwegle Tech. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in Discord Checkpoint Changed Everything Qwegle Tech Qwegle Tech Qwegle Tech Follow Dec 5 '25 Discord Checkpoint Changed Everything # discord # development # technology # socialmedia 1  reaction Comments Add Comment 5 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account
2026-01-13T08:49:37
https://open.forem.com/t/gigworkers
Gigworkers - Open 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 Open Forem Close # gigworkers Follow Hide Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Why India’s Gig Worker Strike Is About Technology Qwegle Tech Qwegle Tech Qwegle Tech Follow Dec 31 '25 Why India’s Gig Worker Strike Is About Technology # news # gig # gigworkers # company Comments Add Comment 4 min read loading... trending guides/resources Why India’s Gig Worker Strike Is About Technology 💎 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account
2026-01-13T08:49:37
https://vibe.forem.com/new/vscode
New Post - Vibe Coding 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 Vibe Coding Forem Close Join the Vibe Coding Forem Vibe Coding Forem is a community of 3,676,891 amazing vibe coders 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 Vibe Coding 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 Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:37
https://future.forem.com/t/scam#main-content
Scam - Future 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 Future Close # scam Follow Hide Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu I Almost Fell for a “Last Wish” Scam : Here’s What You Need to Know Om Shree Om Shree Om Shree Follow Jan 12 I Almost Fell for a “Last Wish” Scam : Here’s What You Need to Know # discuss # scam # security # privacy 23  reactions Comments Add Comment 4 min read loading... trending guides/resources I Almost Fell for a “Last Wish” Scam : Here’s What You Need to Know 💎 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 Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. 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 . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account
2026-01-13T08:49:37
https://popcorn.forem.com/t/memes#main-content
Memes - Popcorn Movies and TV 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 Popcorn Movies and TV Close # memes Follow Hide Humorous movie/TV memes Create Post 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 Popcorn Movies and TV — Movie and TV enthusiasm, criticism and everything in-between. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Popcorn Movies and TV © 2016 - 2026. Let's watch something great! Log in Create account
2026-01-13T08:49:37
https://developers.googleblog.com/en/a2a-a-new-era-of-agent-interoperability/#:~:text=Today%2C%20we%E2%80%99re%20launching%20a%20new%2C,be%20able%20to%20work%20across
Announcing the Agent2Agent Protocol (A2A) - Google Developers Blog Products Develop Android Chrome ChromeOS Cloud Firebase Flutter Google Assistant Google Maps Platform Google Workspace TensorFlow YouTube Grow Firebase Google Ads Google Analytics Google Play Search Web Push and Notification APIs Earn AdMob Google Ads API Google Pay Google Play Billing Interactive Media Ads Solutions Events Learn Community Groups Google Developer Groups Google Developer Student Clubs Woman Techmakers Google Developer Experts Tech Equity Collective Programs Accelerator Solution Challenge DevFest Stories All Stories Developer Program Blog Search Products More Solutions Events Learn Community More Developer Program Blog Develop Android Chrome ChromeOS Cloud Firebase Flutter Google Assistant Google Maps Platform Google Workspace TensorFlow YouTube Grow Firebase Google Ads Google Analytics Google Play Search Web Push and Notification APIs Earn AdMob Google Ads API Google Pay Google Play Billing Interactive Media Ads Groups Google Developer Groups Google Developer Student Clubs Woman Techmakers Google Developer Experts Tech Equity Collective Programs Accelerator Solution Challenge DevFest Stories All Stories Cloud Announcing the Agent2Agent Protocol (A2A) APRIL 9, 2025 Rao Surapaneni VP and GM Business Application Platform Miku Jha Director, AI/ML Partner Engineering Google Cloud Michael Vakoc Product Manager Google Cloud Todd Segal Principal Engineer Business Application Platform Share Facebook Twitter LinkedIn Mail A new era of Agent Interoperability AI agents offer a unique opportunity to help people be more productive by autonomously handling many daily recurring or complex tasks. Today, enterprises are increasingly building and deploying autonomous agents to help scale, automate and enhance processes throughout the workplace–from ordering new laptops, to aiding customer service representatives, to assisting in supply chain planning. To maximize the benefits from agentic AI, it is critical for these agents to be able to collaborate in a dynamic, multi-agent ecosystem across siloed data systems and applications. Enabling agents to interoperate with each other, even if they were built by different vendors or in a different framework, will increase autonomy and multiply productivity gains, while lowering long-term costs. Today, we’re launching a new, open protocol called Agent2Agent (A2A), with support and contributions from more than 50 technology partners like Atlassian, Box, Cohere, Intuit, Langchain, MongoDB, PayPal, Salesforce, SAP, ServiceNow, UKG and Workday; and leading service providers including Accenture, BCG, Capgemini, Cognizant, Deloitte, HCLTech, Infosys, KPMG, McKinsey, PwC, TCS, and Wipro. The A2A protocol will allow AI agents to communicate with each other, securely exchange information, and coordinate actions on top of various enterprise platforms or applications. We believe the A2A framework will add significant value for customers, whose AI agents will now be able to work across their entire enterprise application estates. This collaborative effort signifies a shared vision of a future when AI agents, regardless of their underlying technologies, can seamlessly collaborate to automate complex enterprise workflows and drive unprecedented levels of efficiency and innovation. A2A is an open protocol that complements Anthropic's Model Context Protocol (MCP), which provides helpful tools and context to agents. Drawing on Google's internal expertise in scaling agentic systems, we designed the A2A protocol to address the challenges we identified in deploying large-scale, multi-agent systems for our customers. A2A empowers developers to build agents capable of connecting with any other agent built using the protocol and offers users the flexibility to combine agents from various providers. Critically, businesses benefit from a standardized method for managing their agents across diverse platforms and cloud environments. We believe this universal interoperability is essential for fully realizing the potential of collaborative AI agents. A2A design principles A2A is an open protocol that provides a standard way for agents to collaborate with each other, regardless of the underlying framework or vendor. While designing the protocol with our partners, we adhered to five key principles: Embrace agentic capabilities : A2A focuses on enabling agents to collaborate in their natural, unstructured modalities, even when they don’t share memory, tools and context. We are enabling true multi-agent scenarios without limiting an agent to a “tool.” Build on existing standards: The protocol is built on top of existing, popular standards including HTTP, SSE, JSON-RPC, which means it’s easier to integrate with existing IT stacks businesses already use daily. Secure by default : A2A is designed to support enterprise-grade authentication and authorization, with parity to OpenAPI’s authentication schemes at launch. Support for long-running tasks: We designed A2A to be flexible and support scenarios where it excels at completing everything from quick tasks to deep research that may take hours and or even days when humans are in the loop. Throughout this process, A2A can provide real-time feedback, notifications, and state updates to its users. Modality agnostic: The agentic world isn’t limited to just text, which is why we’ve designed A2A to support various modalities, including audio and video streaming. How A2A works A2A facilitates communication between a "client" agent and a “remote” agent. A client agent is responsible for formulating and communicating tasks, while the remote agent is responsible for acting on those tasks in an attempt to provide the correct information or take the correct action. This interaction involves several key capabilities: Capability discovery: Agents can advertise their capabilities using an “Agent Card” in JSON format, allowing the client agent to identify the best agent that can perform a task and leverage A2A to communicate with the remote agent. Task management: The communication between a client and remote agent is oriented towards task completion, in which agents work to fulfill end-user requests. This “task” object is defined by the protocol and has a lifecycle. It can be completed immediately or, for long-running tasks, each of the agents can communicate to stay in sync with each other on the latest status of completing a task. The output of a task is known as an “artifact.” Collaboration: Agents can send each other messages to communicate context, replies, artifacts, or user instructions. User experience negotiation: Each message includes “parts,” which is a fully formed piece of content, like a generated image. Each part has a specified content type, allowing client and remote agents to negotiate the correct format needed and explicitly include negotiations of the user’s UI capabilities–e.g., iframes, video, web forms, and more. See the full details of how the protocol works in our draft specification . A real-world example: candidate sourcing Sorry, your browser doesn't support playback for this video right click to view in new tab Hiring a software engineer can be significantly simplified with A2A collaboration. Within a unified interface like Agentspace, a user (e.g., a hiring manager) can task their agent to find candidates matching a job listing, location, and skill set. The agent then interacts with other specialized agents to source potential candidates. The user receives these suggestions and can then direct their agent to schedule further interviews, streamlining the candidate sourcing process. After the interview process completes, another agent can be engaged to facilitate background checks. This is just one example of how AI agents need to collaborate across systems to source a qualified job candidate. The future of agent interoperability A2A has the potential to unlock a new era of agent interoperability, fostering innovation and creating more powerful and versatile agentic systems. We believe that this protocol will pave the way for a future where agents can seamlessly collaborate to solve complex problems and enhance our lives. We’re committed to building the protocol in collaboration with our partners and the community in the open. We’re releasing the protocol as open source and setting up clear pathways for contribution. Review the full specification draft , try out code samples, and see example scenarios on the A2A website and learn how you can contribute. We are working with partners to launch a production-ready version of the protocol later this year. Feedback from our A2A partners We're thrilled to have a growing and diverse ecosystem of partners actively contributing to the definition of the A2A protocol and its technical specification. Their insights and expertise are invaluable in shaping the future of AI interoperability. Here's what some of our key partners are saying about the A2A protocol: Technology & Platform Partners ask-ai.com Ask-AI is excited to collaborate with Google on the A2A protocol, shaping the future of AI interoperability and seamless agent collaboration, advancing its leadership in Enterprise AI for Customer Experience. – CEO Alon Talmor PhD Atlassian With Atlassian's investment in Rovo agents, the development of a standardized protocol like A2A will help agents successfully discover, coordinate, and reason with one another to enable richer forms of delegation and collaboration at scale. – Brendan Haire VP, Engineering of AI Platform. Atlassian Articul8 At Articul8, we believe that AI must collaborate and interoperate to truly scale across the enterprise. We’re excited to support the development of the A2A interoperability protocol – an initiative that aligns perfectly with our mission to deliver domain-specific GenAI capabilities that seamlessly operate across complex systems and workflows. We’re enabling Articul8's ModelMesh (an 'Agent-of-Agents') to treat A2A as a first-class citizen, enabling secure, seamless communication between intelligent agents. – Arun Subramaniyan, Founder & CEO of Articul8 Arize AI Arize AI is proud to partner with Google as a launch partner for the A2A interoperability protocol, advancing seamless, secure interaction across AI agents as part of Arize's commitment to open-source evaluation and observability frameworks positions. – Jason Lopatecki, Cofounder & CEO, Arize AI BCG BCG helps redesign organizations with intelligence at the core. Open and interoperable capabilities like A2A can accelerate this, enabling sustained, autonomous competitive advantage. – Djon Kleine, Managing Director & Partner at BCG Box We look forward to expanding our partnership with Google to enable Box agents to work with Google Cloud’s agent ecosystem using A2A, innovating together to shape the future of AI agents while empowering organizations to better automate workflows, lower costs, and generate trustworthy AI outputs. – Ketan Kittur, VP Product Management, Platform and Integrations at Box C3 AI At C3 AI, we believe that open, interoperable systems are key to making Enterprise AI work and deliver value in the real world–and A2A has the potential to help customers break down silos and securely enable AI agents to work together across systems, teams, and applications. – Nikhil Krishnan - C3 AI SVP and Chief Technology Officer, Data Science Chronosphere A2A will enable reliable and secure agent specialization and coordination to open the door for a new era of compute orchestration, empowering companies to deliver products and services faster, more reliably, and enabling them to refocus their engineering efforts on driving innovation and value. – Rob Skillington, Founder /CTO Cognizant "As a pioneer in enterprise multi-agent systems, Cognizant is committed and actively pursuing agent interoperability as a critical requirement for our clients." - Babak Hodjat, CTO - AI Cohere At Cohere, we’re building the secure AI infrastructure enterprises need to adopt autonomous agents confidently, and the open A2A protocol ensures seamless, trusted collaboration—even in air-gapped environments—so that businesses can innovate at scale without compromising control or compliance. – Autumn Moulder, VP of Engineering at Cohere Confluent A2A enables intelligent agents to establish a direct, real-time data exchange, simplifying complex data pipelines to fundamentally change how agents communicate and facilitate decisions. – Pascal Vantrepote, Senior Director of Innovation, Confluent Cotality (formerly CoreLogic) A2A opens the door to a new era of intelligent, real-time communication and collaboration, which Cotality will bring to clients in home lending, insurance, real estate, and government—helping them to improve productivity, speed up decision-making. – Sachin Rajpal, Managing Director, Data Solutions, Cotality DataStax DataStax is excited to be part of A2A and explore how it can support Langflow, representing an important step toward truly interoperable AI systems that can collaborate on complex tasks spanning multiple environments. – Ed Anuff, Chief Product Officer, DataStax Datadog We're excited to see Google Cloud introduce the A2A protocol to streamline the development of sophisticated agentic systems, which will help Datadog enable its users to build more innovative, optimized, and secure agentic AI applications. – Yrieix Garnier, VP of Product at Datadog Elastic Supporting the vision of open, interoperable agent ecosystems, Elastic looks forward to working with Google Cloud and other industry leaders on A2A and providing its data management and workflow orchestration experience to enhance the protocol. – Steve Kearns, GVP and GM of Search, Elastic GrowthLoop A2A has the potential to accelerate GrowthLoop's vision of Compound Marketing for our customers—enabling our AI agents to seamlessly collaborate with other specialized agents, learn faster from enterprise data, and rapidly optimize campaigns across the marketing ecosystem, all while respecting data privacy on the customer's cloud infrastructure. – Anthony Rotio, Chief Data Strategy Officer, GrowthLoop Harness Harness is thrilled to support A2A and is committed to simplifying the developer experience by integrating AI-driven intelligence into every stage of the software lifecycle, empowering teams to gain deeper insights from runtime data, automate complex workflows, and enhance system performance. – Gurashish Brar, Head of Engineering at Harness. Incorta Incorta is excited to support A2A and advance agent communication for customers,making the future of enterprise automation smarter, faster, and truly data-driven. – Osama Elkady CEO Incorta Intuit Intuit strongly believes that an open-source protocol such as A2A will enable complex agent workflows, accelerate our partner integrations, and move the industry forward with cross-platform agents that collaborate effectively. – Tapasvi Moturu, Vice President, Software Engineering for Agentic Frameworks, at Intuit JetBrains We’re excited to be a launch partner for A2A, an initiative that enhances agentic collaboration and brings us closer to a truly multi-agent world, empowering developers across JetBrains IDEs, team tools, and Google Cloud. – Vladislav Tankov, Director of AI, JetBrains JFrog JFrog is excited to join the A2A protocol, an initiative we believe will help to overcome many of today’s integration challenges and be a key driver for the next generation of agentic applications. – Yoav Landman, CTO and Co-founder, JFrog LabelBox A2A is a key step toward realizing the full potential of AI agents, supporting a future where AI can truly augment human capabilities, automate complex workflows and drive innovation. – Manu Sharma Founder & CEO LangChain LangChain believes agents interacting with other agents is the very near future, and we are excited to be collaborating with Google Cloud to come up with a shared protocol which meets the needs of the agent builders and users. – Harrison Chase Co-Founder and CEO at LangChain MongoDB By combining the power of MongoDB’s robust database infrastructure and hybrid search capabilities with A2A and Google Cloud’s cutting edge AI models, businesses can unlock new possibilities across industries like retail, manufacturing, and beyond to redefine the future of AI applications. – Andrew Davidson, SVP of Products at MongoDB Neo4j Neo4j is proud to partner with Google Cloud, combining our graph technology's knowledge graph and GraphRAG capabilities with A2A to help organizations unlock new levels of automation and intelligence while ensuring agent interactions remain contextually relevant, explainable and trustworthy. – Sudhir Hasbe, Chief Product Officer at Neo4j New Relic We believe the collaboration between Google Cloud’s A2A protocol and New Relic’s Intelligent Observability platform will provide significant value to our customers by simplifying integrations, facilitating data exchange across diverse systems, and ultimately creating a more unified AI agent ecosystem. – Thomas Lloyd, Chief Business and Operations Officer, New Relic Pendo We’re proud to partner on Google Cloud’s A2A protocol, which will be a critical step toward enabling AI agents to work together effectively, while maintaining trust and usability at scale. – Rahul Jain, Co-founder & CPO at Pendo PayPal PayPal supports Google Cloud’s A2A protocol, which represents a new way for developers and merchants to create next-generation commerce experiences, powered by agentic AI. -Prakhar Mehrotra, SVP & Head of Artificial Intelligence at PayPal PwC At PwC, we believe the future of enterprise AI lies in seamless collaboration—not just between people and systems, but between agents themselves—which is why we’re proud to support agent2agent in collaboration with PwC’s agent OS, helping set the standard for secure, scalable agent interoperability across the enterprise." - Dallas Dolen, Global Google Cloud Alliance Leader SAP SAP is committed to collaborating with Google Cloud and the broader ecosystem to shape the future of agent interoperability through the A2A protocol—a pivotal step toward enabling SAP Joule and other AI agents to seamlessly work across enterprise platforms and unlock the full potential of end-to-end business processes. – Walter Sun, SVP & Global Head of AI Engineering Salesforce Salesforce is leading with A2A standard support to extend our open platform, enabling AI agents to work together seamlessly across Agentforce and other ecosystems to turn disconnected capabilities into orchestrated solutions and deliver an enhanced digital workforce for customers and employees. – Gary Lerhaupt, VP Product Architecture ServiceNow ServiceNow and Google Cloud are collaborating to set a new industry standard for agent-to-agent interoperability, and we believe A2A will pave the way for more efficient and connected support experiences. – Pat Casey, Chief Technology Officer & EVP of DevOps, ServiceNow Supertab With Google Cloud’s A2A protocol and Supertab Connect, agents will be able to pay for, charge for, and exchange services — just like human businesses do. – Cosmin Ene, Founder of Supertab UiPath As a leader in enterprise automation and a pioneer in agentic orchestration, UiPath is excited to partner with Google on adopting and enhancing the A2A protocol and establishing an industry standard for seamless agent-to-agent communication – which is a significant step towards a future in which AI agents, robots and humans collaborate seamlessly to drive transformative business outcomes. – Graham Sheldon, Chief Product Officer UKG We're thrilled at UKG to be collaborating with Google Cloud on the new A2A protocol, a framework that will allow us to build even smarter, more supportive human capital and workforce experiences that anticipate and respond to employee needs like never before. – Eli Tsinovoi, Head of AI at UKG Weights & Biases Weights & Biases is proud to collaborate with Google Cloud on the A2A protocol, setting a critical open standard that will empower organizations to confidently deploy, orchestrate, and scale diverse AI agents, regardless of underlying technologies. – Shawn Lewis, CTO and co-founder at Weights & Biases Services Partners Accenture The multi-agent A2A protocol from Google Cloud is the bridge that will unite domain specific agents across diverse platforms to solve complex challenges, enabling seamless communication and collective intelligence for smarter and effective agentic solutions. – Scott Alfieri, AGBG Global lead, Accenture Capgemini At Capgemini, we are excited to partner with Google Cloud in the A2A interoperability initiative. Allowing AI Agents to communicate across the ecosystem of platforms can truly accelerate the value of agentic AI for enterprises. – Herschel Parikh, Global Google Cloud Partner Executive, Capgemini Deloitte Agent-to-agent interoperability is a foundational element of enabling the evolution of agentic AI architectures, and Google Cloud’s A2A initiative to bring together an ecosystem of technology industry participants to co-develop and support this protocol will immensely accelerate agentic AI adoption. – Gopal Srinivasan, Deloitte EPAM We are already leading the way in the A2A space by focusing on industry solutions that provide real business value—saving time, reducing overhead and helping our clients drive revenue and enhance processes like the development of FDA documentation during the drug discovery process. – Marc Cerro, VP of Global Google Cloud Partnership at EPAM HCLTech HCLTech is at the forefront of the agentic enterprise, and we are proud to partner with Google Cloud in defining agent-to-agent interoperability and advancing agentic AI possibilities through the open A2A standard. – Vijay Guntur, Chief Technology Officer and Head of Ecosystems, HCLTech KPMG At KPMG, we are excited to be part of this emerging initiative as A2A provides the essential standard we need for different AI agents to truly collaborate effectively and responsibly, which will enable customers and businesses to seamlessly harness AI for innovation and efficiency gains. – Sherif AbdElGawad, Partner, Google Cloud & AI Leader, KPMG Quantiphi The ability for agents to dynamically discover capabilities and build user experiences across platforms is crucial for unlocking the true potential of enterprises. We see the A2A protocol as a pivotal step to empower businesses to build such interoperable agents. -Asif Hasan, Co-founder of Quantiphi TCS (Tata Consultancy Services) The A2A protocol is the foundation for the next era of agentic automation, where Semantic Interoperability takes prominence, and we're proud to lead this transformative journey. – Anupam Singhal, President, Manufacturing business, Tata Consultancy Services (TCS) Wipro Because the future of AI lies in seamless collaboration, open protocols like A2A will be the foundation of an ecosystem where AI agents drive innovation at scale. – Nagendra P Bandaru, Managing Partner and Global Head – Technology Services (Wipro) Learn more about A2A To learn more about the A2A framework, delve into the full specification draft and explore available code samples to examine the protocol's structure experiment with its code. We encourage you to contribute to the protocol's evolution and help us define the future of agent interoperability by submitting ideas , contributing to the documentation , and engaging with the community. posted in: Cloud AI Cloud Announcements Industry Trends Agentic AI AI agents Previous Next Related Posts AI Announcements Under the Hood: Universal Commerce Protocol (UCP) JAN. 11, 2026 AI Cloud Best Practices A Developer's Guide to Debugging JAX on Cloud TPUs: Essential Tools and Techniques JAN. 5, 2026 AI Announcements Problem-Solving Gemini 3 Flash is now available in Gemini CLI DEC. 17, 2025 Cloud Firebase Mobile Web Announcements Advancing agentic AI development with Firebase Studio JULY 10, 2025 Cloud AI Industry Trends Solutions Stanford’s Marin foundation model: The first fully open model developed using JAX JULY 16, 2025 Connect Blog Bluesky Instagram LinkedIn X (Twitter) YouTube Programs Google Developer Program Google Developer Groups Google Developer Experts Accelerators Women Techmakers Google Cloud & NVIDIA Developer consoles Google API Console Google Cloud Platform Console Google Play Console Firebase Console Actions on Google Console Cast SDK Developer Console Chrome Web Store Dashboard Google Home Developer Console Android Chrome Firebase Google Cloud Platform All products Manage cookies Terms Privacy
2026-01-13T08:49:37
https://future.forem.com/t/blockchain/page/4
Blockchain Page 4 - Future 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 Future Close Blockchain Follow Hide A decentralized, distributed, and oftentimes public, digital ledger consisting of records called blocks that are used to record transactions across many computers so that any involved block cannot be altered retroactively, without the alteration of all subsequent blocks. Create Post Older #blockchain posts 1 2 3 4 5 6 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Stablecoins: from hype to real payments infrastructure Taisia Taisia Taisia Follow Nov 9 '25 Stablecoins: from hype to real payments infrastructure # stablecoins # blockchain # stripe # fintech Comments Add Comment 1 min read NFTs, Certificates, Blockchain and Artificial Intelligence : The New Tools of Authenticating Art Sam Miller Sam Miller Sam Miller Follow Oct 6 '25 NFTs, Certificates, Blockchain and Artificial Intelligence : The New Tools of Authenticating Art # nfts # blockchain # ai # art Comments Add Comment 6 min read 📰 Major Tech News: November 4th, 2025: OpenAI's $38 Billion Amazon Pact, Nvidia's AI-Fueled Surge, and China's Chip Power Play Om Shree Om Shree Om Shree Follow Nov 4 '25 📰 Major Tech News: November 4th, 2025: OpenAI's $38 Billion Amazon Pact, Nvidia's AI-Fueled Surge, and China's Chip Power Play # ai # blockchain # crypto # security 11  reactions Comments 1  comment 4 min read The Hidden Power of Syntax: How Language Itself Moves Financial Markets Agustin V. Startari Agustin V. Startari Agustin V. Startari Follow Oct 22 '25 The Hidden Power of Syntax: How Language Itself Moves Financial Markets # discuss # programming # ai # blockchain 2  reactions Comments Add Comment 3 min read 📰 Major Tech News: November 2nd, 2025: Apple Vision Pro Delay, Meta's Llama 4 Debate, and EU Probes Amazon's AI Hiring Tools Om Shree Om Shree Om Shree Follow Nov 2 '25 📰 Major Tech News: November 2nd, 2025: Apple Vision Pro Delay, Meta's Llama 4 Debate, and EU Probes Amazon's AI Hiring Tools # ai # blockchain # security # productivity 11  reactions Comments Add Comment 6 min read 📰 Major Tech News: November 1st, 2025 — Nvidia's Korean AI Surge, Energy Pressures Mount, and Video AI Takes Center Stage Om Shree Om Shree Om Shree Follow Nov 2 '25 📰 Major Tech News: November 1st, 2025 — Nvidia's Korean AI Surge, Energy Pressures Mount, and Video AI Takes Center Stage # ai # blockchain # productivity # security 21  reactions Comments 2  comments 5 min read Major Tech News: October 1, 2025 Sanjay Naker Sanjay Naker Sanjay Naker Follow Oct 3 '25 Major Tech News: October 1, 2025 # ai # blockchain # productivity # security Comments Add Comment 2 min read How I Survived the 2025 Crypto Volatility Using Automated Trading Tools ⚡💻 Emir Taner Emir Taner Emir Taner Follow Oct 2 '25 How I Survived the 2025 Crypto Volatility Using Automated Trading Tools ⚡💻 # productivity # crypto # blockchain # fintech 1  reaction Comments Add Comment 2 min read 📰 Major Tech News: Oct 31, 2025 : Big Tech's AI Spending Surge, Nvidia's Chip Partnerships, and OpenAI's Security Innovation Om Shree Om Shree Om Shree Follow Nov 1 '25 📰 Major Tech News: Oct 31, 2025 : Big Tech's AI Spending Surge, Nvidia's Chip Partnerships, and OpenAI's Security Innovation # ai # blockchain # crypto # security 26  reactions Comments Add Comment 5 min read 📰Major Tech News: October 26th, 2025: The Infrastructure of Intelligence Om Shree Om Shree Om Shree Follow Oct 27 '25 📰Major Tech News: October 26th, 2025: The Infrastructure of Intelligence # ai # blockchain # crypto # security 18  reactions Comments 2  comments 3 min read 📰 Major Tech News: Oct 24th, 2025 Om Shree Om Shree Om Shree Follow Oct 25 '25 📰 Major Tech News: Oct 24th, 2025 # ai # blockchain # crypto # security 22  reactions Comments 6  comments 4 min read 📰 Major Tech News: Oct 25th, 2025 Om Shree Om Shree Om Shree Follow Oct 26 '25 📰 Major Tech News: Oct 25th, 2025 # crypto # ai # blockchain # security 20  reactions Comments Add Comment 4 min read Beyond Bitcoin: How Crypto Shapes Culture, Sports, and Business Emir Taner Emir Taner Emir Taner Follow Sep 26 '25 Beyond Bitcoin: How Crypto Shapes Culture, Sports, and Business # blockchain # web3 # cryptocurrency # productivity Comments Add Comment 2 min read The Taxman Cometh: Nigeria's Crypto Traders Face Reality Check❗❗❗ Jude⚜ Jude⚜ Jude⚜ Follow Sep 24 '25 The Taxman Cometh: Nigeria's Crypto Traders Face Reality Check❗❗❗ # blockchain # web3 # cryptocurrency # ai 5  reactions Comments Add Comment 4 min read 📰 Major Tech News: Oct 23th, 2025 Om Shree Om Shree Om Shree Follow Oct 24 '25 📰 Major Tech News: Oct 23th, 2025 # ai # blockchain # crypto # security 23  reactions Comments Add Comment 5 min read Blockchain in 2025: Evolving Beyond Cryptocurrencies André Defrémont André Defrémont André Defrémont Follow Oct 22 '25 Blockchain in 2025: Evolving Beyond Cryptocurrencies # blockchain # crypto # security 1  reaction Comments 1  comment 4 min read 📰 Major Tech News: Oct 19th, 2025 Om Shree Om Shree Om Shree Follow Oct 19 '25 📰 Major Tech News: Oct 19th, 2025 # ai # blockchain # crypto # security 26  reactions Comments Add Comment 4 min read 📰 Major Tech News: Oct 18th, 2025 Om Shree Om Shree Om Shree Follow Oct 19 '25 📰 Major Tech News: Oct 18th, 2025 # ai # blockchain # crypto # security 14  reactions Comments 2  comments 5 min read 📰 Major Tech News: Oct 17th, 2025 Om Shree Om Shree Om Shree Follow Oct 17 '25 📰 Major Tech News: Oct 17th, 2025 # ai # blockchain # crypto # security 18  reactions Comments Add Comment 5 min read 🔥🚨 Global Crypto Regulations Are Heating Up!💥 Paul Bennett Paul Bennett Paul Bennett Follow Oct 17 '25 🔥🚨 Global Crypto Regulations Are Heating Up!💥 # ai # blockchain # crypto 3  reactions Comments Add Comment 1 min read WaaS: Why More Web3 Projects Are Choosing to Build Less Dan Keller Dan Keller Dan Keller Follow Oct 16 '25 WaaS: Why More Web3 Projects Are Choosing to Build Less # blockchain # crypto # security 3  reactions Comments 1  comment 1 min read 📰 Major Tech News: Oct 15th, 2025 Om Shree Om Shree Om Shree Follow Oct 15 '25 📰 Major Tech News: Oct 15th, 2025 # ai # blockchain # security # science 19  reactions Comments 2  comments 5 min read 📰 Major Tech News: Oct 14th, 2025 Om Shree Om Shree Om Shree Follow Oct 14 '25 📰 Major Tech News: Oct 14th, 2025 # ai # blockchain # productivity # security 24  reactions Comments 2  comments 5 min read 📰 Major Tech News: Oct 13th, 2025 Om Shree Om Shree Om Shree Follow Oct 13 '25 📰 Major Tech News: Oct 13th, 2025 # ai # blockchain # crypto # security 20  reactions Comments 2  comments 3 min read ⚡️ Hyperliquid vs Binance: Transparency on Trial Paul Bennett Paul Bennett Paul Bennett Follow Oct 14 '25 ⚡️ Hyperliquid vs Binance: Transparency on Trial # ai # blockchain # crypto 2  reactions 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 Future — News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. 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 . Future © 2025 - 2026. Stay on the cutting edge, and shape tomorrow Log in Create account
2026-01-13T08:49:37
https://www.suprsend.com/customers/how-topmate-introduced-a-multi-channel-notification-system-for-customers-to-schedule-engagement-campaigns-within-the-platform
How Topmate introduced a multi-channel notification system for customers to schedule engagement campaigns within the platform? Platform Workflows Craft notification workflows outside code Templates Powerful WYSIWYG template editors for all channels Analytics Get insights to improve notifications performance in one place Tenants Map your multi-tenant setup to scope notifications per tenant In-app Inbox Drop in a fully customizable, real-time inbox Preferences Allow users to decide which notifications they want to receive and on what channels Observability Get step-by-step detailed logs to debug faster Integrations Connect with the tools & providers you already use Solutions By Usecases Transactional Trigger real-time notifications based on user actions or system events Collaboration Notify users about mentions, comments, or shared activity Multi-tenant Customize templates, preferences & routing for each tenant Batching & Digest Group multiple updates into a single notification Scheduled Alerts Send timely notifications at fixed intervals or specific times Announcements / Newsletters Broadcast product updates or messages to all users Pricing Developers Documentation Quick Start Guides API References SuprSend CLI SDKs System Status Customers Resources Resources Blog Join our Slack Community Change logs Security Featured Blogs A complete guide on Notification Service for Modern Applications Build vs Buy For Notification Service Sign in Get a Demo Get Started How Topmate introduced a multi-channel notification system for customers to schedule engagement campaigns within the platform? Industry Education Based in San Francisco, USA Business type Marketplace Deployment method Cloud Features used Preferences,In-app Inbox,Lists & Broadcast,Timezone Awareness,Batching & Digest Ready to start? Book a demo Challenge Topmate’s original notification setup, built on SendGrid, was limited to single channel: emails, lacked observability, and required engineering effort for every change. As the platform grew, adding multi-channel alerts, scaling multi-step workflows, broadcasts, and branded campaigns for thousands of creators became unsustainable. Solution By adopting SuprSend’s API-first, multi-tenant infrastructure, Topmate centralized notifications across email and WhatsApp. Workflows, templates, and analytics moved to SuprSend; enabling creators to launch automated, branded engagement funnels and campaigns directly within Topmate's platform. Outcome Topmate cut engineering dependency by 90%, introduced multi-channel campaign capability, and empowered creators to re-engage their audiences with measurable impact. Some creators achieved six-figure earnings from automated campaigns, driving higher engagement and platform satisfaction. "We could’ve spent months building notifications, but SuprSend had us live fast. It’s flexible, scalable, and saves serious engineering effort—a huge win for our team." Dinesh Singh Co-founder & CTO, Topmate Topmate is a platform that empowers creators, consultants, and professionals to monetize their expertise by offering tools for personalized pages, one-on-one sessions, webinars, and more. It simplifies service management with features like session scheduling, payment processing, and communication integrations. With thousands of creators on the platform, many have built large followings, but there was no system to fully leverage this potential. To address this, Topmate's product team aimed to implement a dynamic, multi-step, and multi-channel notification system that could adapt in real-time to user actions. The backbone of this system is SuprSend's API-first notification infrastructure, which enables Topmate to seamlessly manage complex workflows and deliver personalized notifications across various channels. Currently, Topmate uses this infrastructure to send a wide range of notifications to its users and their audiences. However, it wasn’t always this way! Preface to Topmate’s Initial Notification Module In the early days, TopMate utilized an email notification module built on Sendgrid API, and Unlayer (for templates) to communicate with its audience. With their initial notification module, continuous iteration in templates, accessing logs on notification failures, trigger point adjustments, and fallback mechanisms weren’t readily available - and every time, the tech team would be involved. When the need arose to streamline the platform and help creators leverage their subscriber base, the Topmate team identified three key areas: Notification Workflows for product alerts Broadcasts & Campaigns Multi-channel Funnels Deciding between build vs buy, and moving forward with integrating SuprSend, Dinesh Singh, Co-founder & CTO at Topmate mentions, “Engineering bandwidth was a major concern. Building the entire notification infrastructure from scratch would have taken massive efforts and diverted resources from our core product development. We needed a solution that offered flexibility, scalability, and faster iteration.” Dinesh Singh, Co-founder & CTO 1. Workflows Previously, Topmate relied on writing business logic within their code to send multi-step notifications such as reminders, and onboarding sequences. For instance, creating a ‘ Submit Testimonial ’ sequence required development for each reminder, checking certain conditions, branching, testing and releasing, demanding significant engineering resources. While manageable for a single use case, this approach quickly became unsustainable as the number of use cases grew, overburdening the engineering team. This approach also hindered quick iteration. The product team had to rely on developers to implement any changes. This process became a bottleneck, significantly slowing time-to-launch and a number of experiments. Another issue Topmate faced was the lack of observability in their notifications. Some notifications failed, and without logs or monitoring tools, it was difficult to perform root cause analysis, leading to a poor user experience. This is when the team decided to partner with SuprSend, a specialized tool building in notification infrastructure with an API-first approach. By integrating SuprSend’s workflow APIs, Topmate offloaded the complexity of notifications on SuprSend workflows. Now, they simply send events to SuprSend, where everything from template management to multi-step logic to observability and logging is handled. This eliminated the need for engineering involvement from Topmate’s side. Additionally, with SuprSend, Topmate introduced powerful functions, such as batching that groups similar notifications, and time-zone that sends notifications in user’s respective timezones. This provided a better user experience, helping Topmate send fewer and more personalized notifications. 2. Email & Whatsapp Marketing Campaign Topmate’s creators frequently engaged in 1:1 sessions with their audience but faced challenges in maintaining regular engagement as they couldn’t leverage their existing customer lists for resale or retargeting. Building a solution that allows Topmate’s creators to run engagement campaigns from within Topmate’s platform was considered, but it presented several significant challenges: Multi-Tenancy: Each Topmate customer required customized notification styles to preserve their brand identity, including logos, colors, and other branding elements. Scalability: Managing notifications for over 10,000 customers would have diverted crucial development resources away from Topmate’s core product. Webhooks for Analytics: Implementing robust webhook infrastructure for tracking campaign performance across multiple channels would have added further development to the system. Why SuprSend? Topmate evaluated several solutions before selecting SuprSend. The primary reasons for choosing SuprSend were: Ease of Integration: Backend and Frontend SDK provided a seamless integration process. Feature-rich Component : Businesses increasingly seek off-the-shelf, stable components for quick integration and faster time-to-market. Many developers now say that components are the new API. We provided them with ready solutions for preferences, templates, in-app inboxes, workflow functions - all accessible with just a few lines of code or within the dashboard. Multi-Tenant Support: We offered robust multi-tenant capabilities, allowing each customer to customize their notifications. Scalability: We could handle the scale required by Topmate’s diverse and growing customer base. Resource Optimization: By outsourcing the notification infrastructure, Topmate could focus on its core product development. Analytics: The observability layer has already been built with analytics and detailed logs. Email Campaigns Integration Implementation: SuprSend’s multi-tenant system allows each Topmate customer to customize their notifications with preset brand characteristics. The integration steps included: Creating Emails: Users can specify email details through a user-friendly interface. Editing Templates: The 'Edit Template' functionality enables users to create and edit templates in real-time. They used SuprSend's template API to create and manage templates dynamically.  They provide an omni-channel notifications experience to their users, with Whatsapp being their secondary communication channel. The setup is very similar to the above-mentioned email campaigns, which are run on SuprSend. The above two (email and WhatsApp) were a notification campaign with only 1 notification being created and triggered simultaneously. Topmate’s users needed more than that. Marketing Funnels by Topmate Topmate introduced ‘Funnels,’ powered by SuprSend, allowing users to create automated multi-step notification journeys using pre-made templates and workflows. The Need for Funnels? Topmate’s customers sought more sophisticated ways to engage their audience, especially to upsell premium services, offer discounts, or share resources. The existing system required manual intervention for each engagement, which was time-consuming and inefficient. A funnel system would automate this process, saving time and ensuring consistent messaging. Benefits of the Funnels: Multi-step Engagement: With dynamic nodes in the funnel, and being multi-channel Topmate’s creators got multi-step engagement for their campaigns. Targeted Messaging: Pre-defined templates allow for personalized and relevant content. Increased Conversions: Consistent reminders help convert free users to premium users and promote upselling. Implementation Steps As a Topmate User Creating Funnels: Topmate users can choose from six pre-made funnels to create automated notification campaigns. Each of these funnels has a workflow pre-created by the Topmate on SuprSend. Example Workflow - "Upsell Your Premium Services": Step 1: Name the funnel. Step 2: Define the funnel logic (e.g., users enter the funnel after booking a 'test session'). Step 3: Set up multiple email notifications (up to 5) using the ‘Edit Content’ button to design HTML templates. Step 4: Publish the funnel to start the email sequence as soon as a user enters the funnel. What Happens Behind the Screen Powered by SuprSend? Workflow and Template Design ‍ Topmate’s engineering team designed the workflow and templates necessary for the funnel. Here’s an example of the workflow: ‍ Trigger: The workflow starts when someone books a ‘ test session ’ from the user’s Topmate account. Event Call: Their SuprSend Node SDK sends an event call to SuprSend with relevant user properties. Dynamic Email Templates Designed by Topmate User ‍ Topmate allows its users to design their email templates directly on the Topmate dashboard. Users can customize their templates to match their brand's design and requirements. These templates are created using a user-friendly template editor on Topmate’s platform. ‍ Monitoring and Logs: Topmate’s team has complete visibility into the process through the Logs section in SuprSend, ensuring they can monitor and troubleshoot as needed. However, this visibility extends beyond Topmate’s internal team. “One of the key issues with our old system was the lack of observability. We had difficulty tracking failed notifications and performing root-cause analysis. SuprSend provided detailed logs and monitoring, which greatly improved our ability to troubleshoot and enhance user experience.” Dinesh Singh, Co-founder & CTO Additionally, Topmate leverages notification data sync in parquet files to their data warehouse, providing its creators with detailed analytics on their marketing campaigns directly on Topmate’s dashboards. This includes metrics such as view rates, engagement rates, drop-off rates, and more. These insights empower creators to optimize their campaigns and make data-driven decisions. This allowed them to skip the development of a webhook and database infrastructure at their end.  With these additions to their platform, their creator could quickly resell when they wanted. One of Topmate's creators earned in six-figures due to these implementations, effectively increasing their NPS score and customer satisfaction. Other success stories This is some text inside of a div block. This is some text inside of a div block. Ready to transform your notifications? Join thousands of product & engineering teams using SuprSend to build & ship better notifications faster. Get Started for Free Book a Demo PLATFORM Workflows Templates Preferences Observability Analytics Preferences In-app Inbox Multi-tenant Integrations CHANNELS Email SMS Mobile Push Web Push Whatsapp In-app Inbox & Toasts Slack MS Teams SOLUTIONS Transactional Collaboration Batching/Digest Scheduled Alerts Multi-tenant Newsletters DEVELOPERS Documentation Changelogs SDKs Github API Status RESOURCES Join our Community Blog Customer Stories Support SMTP Error Codes Email Providers Comparisons SMS Providers Comparisons SMS Providers Alternatives COMPANY Pricing Terms Privacy Security Sub-processors DPA Contact Us SuprSend for Startups © 2025 SuprStack Inc. All rights reserved. SuprSend By clicking “Accept All Cookies” , you agree to the storing of cookies on your device to enhance site navigation, analyze site usage, and assist in our marketing efforts. View our Privacy Policy for more information. Preferences Deny Accept Privacy Preference Center When you visit websites, they may store or retrieve data in your browser. This storage is often necessary for the basic functionality of the website. The storage may be used for marketing, analytics, and personalization of the site, such as storing your preferences. Privacy is important to us, so you have the option of disabling certain types of storage that may not be necessary for the basic functioning of the website. Blocking categories may impact your experience on the website. Reject all cookies Allow all cookies Manage Consent Preferences by Category Essential Always Active These items are required to enable basic website functionality. Marketing Essential These items are used to deliver advertising that is more relevant to you and your interests. They may also be used to limit the number of times you see an advertisement and measure the effectiveness of advertising campaigns. Advertising networks usually place them with the website operator’s permission. Personalization Essential These items allow the website to remember choices you make (such as your user name, language, or the region you are in) and provide enhanced, more personal features. For example, a website may provide you with local weather reports or traffic news by storing data about your current location. Analytics Essential These items help the website operator understand how its website performs, how visitors interact with the site, and whether there may be technical issues. This storage type usually doesn’t collect information that identifies a visitor. Confirm my preferences and close
2026-01-13T08:49:37
https://dev.to/shuckle_xd/you-cant-trust-images-anymore-58jh#main-content
You can't trust Images anymore - 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 pri Posted on Jan 12           You can't trust Images anymore # computervision # showdev Image manipulation isn't something new , it's been happening from almost around the time when photographs were first invented. It's just that in recent years with Artificial Intelligence has made it easier to do so. This opened the floodgates for artificially manipulated images on the internet. I literally can't tell half the time if what I am seeing is real or not. I have started questioning every image I see, heck I even question some of the photos my family sends me. This... is not good. Manipulated images have not just introduced something hard to catch, but have tarnished the credibility of real images. Images have always been a source of truth for us, something which we use to visualise what could have been merely text. Just look at history books, wouldn't they just be boring without any images? But if manipulation existed before, were images really a source of truth? History shows this isn't a one-off problem, but a recurring failure of how we trust images. One of the most widely circulated portraits of President Abraham Lincoln was later found to be simple image compositing, where his face had been placed onto another man's body. For decades this image was never questioned of its authority, despite the fact that the body belonged to a slavery advocate, directly contradicting what Lincoln stood for. This manipulation wasn't subtle, nor was it digital, yet it went unquestioned for years. Not because it was true but because verifying it was harder than believing it . Image on left is the altered portrait of President Lincoln and image on right is the original protrait of slavery advocate John Calhoun (Image credit: Library of Congress) Someone who understood the power of images was the renowned dictator of the USSR, Joseph Stalin . During his reign of power photos were not just used as historical records, but as tools to shape them. Stalin's enemies were not just removed from public life, but also expunged from records, erasing them from history. This slowly became normalised, unquestioned and now instead of images documenting the past, it was Stalin's state writing their version of the past. This type of image manipulation is an example of how it could be used not just to distort truth but help overwrite it . Left shows the original photograph of Nikolai Antipov, Stalin, Sergei Kirov and Nikolai Shvernik in Leningrad, 1926. (Credit: Tate Archive by David King, 2016/Tate, London/Art Resource, NY) The modern digital era marked a fundamental shift. With tools like Adobe Photoshop , image manipulation stopped being rare and became accessible to almost anyone. Editing no longer required significant skill, time, or resources and more importantly, it became difficult to detect. While mechanisms like metadata were introduced to preserve authenticity, they were fragile and easily altered, offering only a thin layer of reassurance. For the first time, image creation began to scale faster than image verification . This wasn’t just an increase in fake images, it was the point where trust in images stopped keeping up. Now, come to present day, that imbalance has widened dramatically. With the rise of Artificial Intelligence for image generation and editing, creating convincing manipulations no longer requires technical skill or effort. Images can now be generated, altered, or refined through simple instructions, often in seconds. What once demanded time, expertise, and intent has been reduced to a conversational interaction. Meanwhile, verifying whether an image is authentic still requires scrutiny, tools, and context in forensic fields. The result isn’t that images suddenly became fake, it’s that human judgment can no longer reliably keep up . https://x.com/IndianTechGuide/status/2009256327596355938?s=20 In recent podcast with Raj Shamani, Deepinder Goyal talked about how customers abuse AI generated content to scam Zomato customer support. I know I have been bashing on Image manipulation for the last four paragraphs or so, but it isn't inherently bad. In fact, it has enabled some of the most valuable visual work we have, from enhanced space imagery to complex visual design and creative expression. The problem isn’t that images are altered. It’s that viewers are rarely told how or why they were altered. What matters isn’t whether an image has been manipulated, but whether the truth behind it is knowable. Image of Cosmic Tarantula, which has been enhanced from infrared spectrum to a visible spectrum for better color visualization. (Image Credit: NASA, ESA, CSA, STScI, Webb ERO Production Team) To explore this problem, we’ve been building Xvertice , an attempt to give viewers more context instead of false certainty. Rather than labelling images as simply “real” or “fake,” Xvertice focuses more on explainable image forensics, helping users understand how an image may have been created, altered, or processed over time. The goal isn’t to replace judgment, but to inform it . We’re launching an experimental demo to share this approach early. It’s not a finished product, and it’s not meant to deliver definitive answers but it should make clear how we think about image trust, and how we’re trying to close the gap between creation and verification. If you try it, your feedback will directly shape where it goes next. Xvertice Links Website: https://x-vertice.com/ Twitter/X: https://x.com/teamxvertice Peerlist: https://peerlist.io/company/xvertice LinkedIn: https://www.linkedin.com/company/xvertice Sources https://www.digitalcameraworld.com/features/abraham-lincoln-vs-john-calhoun-the-original-deepfake-photo https://www.history.com/articles/josef-stalin-great-purge-photo-retouching 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 pri Follow Building https://x-vertice.com/ Joined Jan 12, 2026 Trending on DEV Community Hot When is a side project worth committing to? # ai # gemini # sideprojects # showdev What was your win this week??? # weeklyretro # discuss How to Crack Any Software Developer Interview in 2026 (Updated for AI & Modern Hiring) # softwareengineering # programming # career # interview 💎 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:49:37
https://aws.amazon.com/codewhisperer/
Generative AI Assistant for Software Development – Amazon Q Developer – AWS Skip to main content Filter: All English Contact us AWS Marketplace Support My account Search Filter: All Sign in to console Create account Amazon Q Developer Overview Features Pricing Documentation Resources More Generative AI › Amazon Q › Amazon Q Developer Amazon Q Developer CLI users can now upgrade to the Kiro CLI. Simply update the Q Developer CLI to the latest version and gain access to Kiro features in addition to your favorite agentic Q Developer functionality. Amazon Q Developer The most capable generative AI–powered assistant for software development Download Amazon Q Developer Amazon Q Developer is available for use in your code editor. Download a plugin or extension below and get started on the Amazon Q Developer Free Tier in a few minutes. See installation instructions Get started for free IDE JetBrains Download now IDE VS Code Download now IDE Visual Studio Download now Command Line Command line Download now IDE Eclipse Download now Build faster To accelerate building across the entire software development lifecycle, Amazon Q Developer agentic capabilities can autonomously perform a range of tasks–everything from implementing features, documenting, testing, reviewing, and refactoring code, to performing software upgrades. Learn more Amazon Q Developer makes the whole development lifecycle easier Speeds up a variety of development tasks. Based on an internal study. Safe Software quote Developer productivity increase. Eviden quote Acceptance rate. The highest reported* code acceptance rate among assistants that perform multiline code suggestions. *as recently reported by BT Group Operate on AWS Amazon Q Developer is an expert on AWS and is in the AWS Management Console and available in Microsoft Teams and Slack to help optimize your cloud costs and resources, provide guidance on architectural best practices, investigate operational incidents, and diagnose and resolve networking issues. Learn more Transform applications Amazon Q Developer agents accelerate .NET porting from Windows to Linux and Java upgrades to streamline processes and reduce costs. Learn more Upgrade from Java 8 to Java 17 Upgraded production applications Average per application To upgrade Leverage data and AI Amazon Q Developer helps you get the most from your data to easily build analytics, AI/ML, and generative AI applications faster. Create queries using natural language, get coding help for data pipelines, design ML models, and collaborate on AI projects with built-in data governance. Learn more How Amazon Q Developer accelerates development tasks Get expert assistance Code faster Customize code Improve reliability and security Build with agentic capabilities Get expert assistance on AWS Start a conversation with Amazon Q to explore new AWS capabilities, review your resources, analyze your bill, and architect solutions—it’s an expert in AWS well-architected patterns, documentation, solutions implementation, and more. See more features Code faster Amazon Q Developer generates real-time code suggestions ranging from snippets to full functions based on your comments and existing code. It also supports inline chat directly in the code editor, and CLI completions and natural language–to-bash translation in the command line. See more features Customize code recommendations Securely connect Amazon Q Developer to your private repositories to generate even more relevant code recommendations, ask questions about your company code, and understand your internal code bases faster. See more features Improve reliability and security Write unit tests, optimize code, and scan for vulnerabilities. Amazon Q will suggest remediations that help fix your code instantaneously. Amazon Q Developer security scanning outperforms leading publicly benchmarkable tools on detection across most popular programming languages. See more features Build with agentic capabilities Amazon Q Developer agentic coding experience eliminates much of the work involved in complex multistep tasks such as unit testing, documentation, and code reviews. The agentic coding experience can intelligently perform tasks on your behalf by automatically reading and writing files, generating code diffs, and running shell commands, while incorporating your feedback and providing real-time updates along the way. Amazon Q Developer agentic capabilities have achieved the highest scores on the SWE-Bench Leaderboard and Leaderboard Lite. See more features Amazon Q Developer pricing and the AWS Free Tier Try Amazon Q Developer at no cost with the AWS Free Tier . The Amazon Q Developer perpetual Free Tier gives you 50 agentic chat interactions per month. You can also transform up to 1,000 lines of code per month. To learn about pricing and the Amazon Q Developer Free Tier, visit Amazon Q Developer pricing . By your side wherever you work... IDE Amazon Q Developer provides inline code suggestions, vulnerability scanning, and chat in popular integrated development environments (IDEs), including JetBrains, IntelliJ IDEA, Visual Studio, VS Code, and Eclipse (preview). CLI Get CLI autocompletions and AI chat in your favorite terminal (locally and over Secure Shell). AWS CONSOLE Want extra help in the console? Open the Amazon Q panel and you've got it—even in the AWS Console Mobile Application for iOS and Android. GITLAB Use GitLab Duo with Amazon Q to accelerate team productivity and development velocity using the GitLab workflows you already know. By your side wherever you work... CHAT APPLICATIONS Amazon Q Developer is available in Microsoft Teams and Slack to help you monitor operational events, troubleshoot issues, and operate AWS resources. GITHUB.COM AND GITHUB ENTERPRISE CLOUD Use Amazon Q Developer within GitHub to implement features, perform code reviews, and transform Java applications to streamline the developer experience (preview). The privacy you expect... Your content is yours When you use Amazon Q Developer Pro , your proprietary content is not used for service improvement. Enterprise-grade access controls Amazon Q provides familiar security and access controls and can understand and respect your existing AWS IAM Identity Center governance identities, roles, and permissions to personalize its interactions. What's new? 1 / 5 Amazon Q Developer reimagines the developer experience Learn more Announcing GitLab Duo with Amazon Q GA Learn more Announcing Amazon Q Developer transformation web experience (preview) Learn more Announcing Amazon Q Developer .NET transformation capabilities Learn more Introducing new Amazon Q Developer agent capabilities Learn more Getting started Getting started Get started on the AWS Free Tier Visit the getting started page Pricing Explore Amazon Q Developer pricing Visit the pricing page Create an AWS account Learn What Is AWS? What Is Cloud Computing? What Is Agentic AI? Cloud Computing Concepts Hub AWS Cloud Security What's New Blogs Press Releases Resources Getting Started Training AWS Trust Center AWS Solutions Library Architecture Center Product and Technical FAQs Analyst Reports AWS Partners Developers Builder Center SDKs & Tools .NET on AWS Python on AWS Java on AWS PHP on AWS JavaScript on AWS Help Contact Us File a Support Ticket AWS re:Post Knowledge Center AWS Support Overview Get Expert Help AWS Accessibility Legal English Back to top Amazon is an Equal Opportunity Employer: Minority / Women / Disability / Veteran / Gender Identity / Sexual Orientation / Age. x facebook linkedin instagram twitch youtube podcasts email Privacy Site terms Cookie Preferences © 2026, Amazon Web Services, Inc. or its affiliates. All rights reserved.
2026-01-13T08:49:37
https://www.llmwatch.com/p/vibe-coding-404-how-not-to-give-your#:~:text=Watch%20www,
Vibe Coding 404: How Not to Give Your Secrets Away LLM Watch Subscribe Sign in Vibe Coding 101 Vibe Coding 404: How Not to Give Your Secrets Away Basic software engineering and data security routines you should know about Pascal Biese Apr 09, 2025 ∙ Paid 11 2 Share So, you've started “vibe coding” – building an app or website with the help of AI tools (Replit, Lovable, Cursor, etc.) – and everything is going great. You’re piling up features, the AI is handling the heavy lifting, and you’re feeling like nothing can stop you. Security might be the last thing on your mind. After all, you're just prototyping, right? But here’s the deal: even quick projects can run into big trouble if you accidentally expose sensitive data or overlook basic security steps. Imagine waking up to find your database emptied by a stranger, or an unexpected $5,000 bill because someone “borrowed” your API key! The good news is you don’t need to be a security expert to avoid most of these nightmares. A few simple habits will keep your project safe and keep you confidently building. “Security is my vibe!” - Dylan (35), aspiring vibe coder, after learning the hard way. This beginner-friendly guide will walk you through data security (keeping your keys, secrets, and user data safe) and a bit of code security (writing code that doesn’t open the door to attackers). We’ll keep it conversational and practical – no fancy tech, just real talk on why it matters and how to stay safe. Let’s dive in! Why Security Matters for Vibe Coders You might be thinking, "I'm just a solo builder hacking something together. Do I really need to worry about security?" The answer is yes , and here’s why: Protect Your Wallet: Many AI-based services (like OpenAI’s API) charge money per use. If your secret API key leaks, someone could use it to rack up charges on your account​. There are real stories of developers getting hit with huge bills because attackers found their keys. (One attacker, for example, reported finding over 1,000 OpenAI API keys by scanning public Replit projects​). Protect Your Data (and Your Users’ Trust): If you accidentally leave a database or storage bucket open, bad actors can steal or delete data. In one case, 900+ websites using Firebase (a popular online database) misconfigured their security and exposed 125 million records , including emails, passwords, and billing info, to the public ​. Imagine explaining to your users (or your boss) that personal data got leaked – not fun. Stay Up and Running: Security flaws can get your app hijacked. An exposed webhook or an insecure piece of code can let someone else control parts of your app or knock it offline. If your prototype suddenly breaks because of an attack, that’s time lost and a major vibe check on your motivation. In short, a few careless mistakes can derail your project or cost you big time. On the flip side, a little care with security means you can keep the good vibes going – your app stays safe, your bills stay sane, and you build with peace of mind. Now, let’s get into the specific things you should watch out for and how to handle them. Data Security Essentials (Keep Your Secrets Safe) “Data security” might sound heavy, but here we’re mostly talking about keeping secrets secret and not exposing things that shouldn’t be public . As a vibe coder, you deal with things like API keys, database URLs, or webhook URLs – these are the keys to your kingdom. Let’s go through the must-knows one by one. API Keys and Secrets: Handle with Care What they are: API keys, secret tokens, database credentials – think of these as the passwords that grant access to services. For example, an OpenAI API key lets whoever has it use your OpenAI account (and spend your money), and a database URL with a password could let someone read or write all your data. In short, they are high-value targets . Why you should care: If an API key or secret token gets leaked, anyone can use it as if they were you . OpenAI explicitly warns developers: “Remember that your API key is a secret! Do not share it or expose it in any client-side code (browsers, apps)” ​. If a key is exposed, strangers can start running up your usage or fiddling with your data. For instance, one group of attackers scraped public code repositories and found hundreds of leaked OpenAI keys – then used those keys to give themselves free access to GPT-4, charging the victims’ accounts. Some unlucky devs have been hit with thousands of dollars in charges because of this kind of mistake. Continue reading this post for free, courtesy of Pascal Biese. Claim my free post Or purchase a paid subscription. Previous © 2026 Pascal Biese · Privacy ∙ Terms ∙ Collection notice Start your Substack Get the app Substack is the home for great culture This site requires JavaScript to run correctly. Please turn on JavaScript or unblock scripts
2026-01-13T08:49:37
https://www.fsf.org/campaigns/opendocument/
What is OpenDocument? — Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › Campaigns › OpenDocument Info What is OpenDocument? by Free Software Foundation Contributions — Published on Nov 14, 2011 04:45 PM The OpenDocument format (ODF) is a free, ISO-standardized format for documents (.odt file extension), spreadsheets (.ods), presentations (.odp) and more. Used widely throughout the world, ODF is supported by a variety of programs, including the free LibreOffice suite and OpenOffice.org. Users can read and write OpenDocument files without agreeing to proprietary software licenses and programmers are free to write applications that support ODF without fear of patent claims or licensing issues. Governments, businesses and archivists can use ODF to ensure critical documents can be read for years to come, without being forced to pay for updates to proprietary reading software. Using free formats is one of the easiest and most important things we can do to defend software freedom. We also need to reject proprietary formats from Microsoft Office and Apple's iWork (.doc[x], .ppt[x], etc.). At the FSF, we use only free formats in our office and we're proud to work with the LibreOffice project as a member of its Advisory Board. If the OpenDocument format sounds good to you and you'd like to start using it or spreading the word about free formats, then these links are a great way to get started. Take the next steps Download OpenDocument software Be ready to reject Office and iWork Tell your friends and family Write to your school or government Spread the word about OpenDocument Support Document Freedom Day and visit the ODF website . Read this in Russian. More OpenDocument Updates — by Matt Lee — last modified Nov 14, 2011 04:44 PM The OpenDocument format (ODF) is a format for electronic office documents, such as spreadsheets, charts, presentations and word-processing documents. The OpenDocument format is supported by free software applications such as OpenOffice.org, AbiWord and KOffice. Document Actions Share on social networks Syndicate: News Events Blogs Jobs GNU 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Join our OpenDocument campaign mailing list Sign up today to receive updates and news on OpenDocument adoption worldwide. Help the FSF stay strong Ring in the new year by supporting software freedom and helping us reach our goal of 100 new associate members ! Free software campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software Defective by Design End Software Patents OpenDocument Free BIOS Past campaigns Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:37
https://open.forem.com/t/showcase
Showcase - Open 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 Open Forem Close # showcase Follow Hide Share your finished projects and celebrate your work Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu 🚀 Roast My Portfolio: I Launched mobeenfolio.com (Built with React & Firebase) long time ago. Mobeen ul Hassan Hashmi Mobeen ul Hassan Hashmi Mobeen ul Hassan Hashmi Follow Jan 4 🚀 Roast My Portfolio: I Launched mobeenfolio.com (Built with React & Firebase) long time ago. # discuss # cloud # showcase # webdev Comments Add Comment 1 min read Building Structured AI Videos with Soar2AI: From Prompts to Visual Storytelling Lynn Lynn Lynn Follow Jan 2 Building Structured AI Videos with Soar2AI: From Prompts to Visual Storytelling # ai # design # showcase Comments Add Comment 2 min read Typing Meets Game Development Hardik Chaudhary Hardik Chaudhary Hardik Chaudhary Follow Jan 6 Typing Meets Game Development # gamedev # learning # showcase 1  reaction Comments Add Comment 1 min read Turning a DivePhotoGuide Profile into a Real Underwater Portfolio Sonia Bobrik Sonia Bobrik Sonia Bobrik Follow Nov 20 '25 Turning a DivePhotoGuide Profile into a Real Underwater Portfolio # design # photography # showcase Comments Add Comment 6 min read Quick Update on EcoFurball: New Guide Published + Behind the Scenes Ben Borden Ben Borden Ben Borden Follow Nov 19 '25 Quick Update on EcoFurball: New Guide Published + Behind the Scenes # science # showcase # writing Comments Add Comment 1 min read पंचायती राज व्यवस्था पर परियोजना (20 पृष्ठ) Anil Anil Anil Follow Nov 18 '25 पंचायती राज व्यवस्था पर परियोजना (20 पृष्ठ) # education # showcase # writing Comments Add Comment 1 min read Outerwear Performance Analysis: A Data-Driven Investigation Oliver Samuel Oliver Samuel Oliver Samuel Follow Nov 18 '25 Outerwear Performance Analysis: A Data-Driven Investigation # datascience # management # showcase Comments Add Comment 10 min read प्रारम्भिक वैदिक काल की राजनीतिक एवं आर्थिक परिस्थितियों का विश्लेषण Anil Anil Anil Follow Nov 1 '25 प्रारम्भिक वैदिक काल की राजनीतिक एवं आर्थिक परिस्थितियों का विश्लेषण # books # learning # showcase Comments Add Comment 1 min read The Queen Of Her Own Fate Maxprincess07 Maxprincess07 Maxprincess07 Follow Oct 21 '25 The Queen Of Her Own Fate # books # showcase # writing Comments Add Comment 21 min read Budget Analysis Report — Wote County Watchdog FY 2019 Kaira Kelvin. Kaira Kelvin. Kaira Kelvin. Follow Oct 29 '25 Budget Analysis Report — Wote County Watchdog FY 2019 # datascience # showcase 1  reaction Comments Add Comment 1 min read Hobius: The Anti-Social Network (Stuck in Beta Since 2014) Digital Alchemyst Digital Alchemyst Digital Alchemyst Follow Sep 24 '25 Hobius: The Anti-Social Network (Stuck in Beta Since 2014) # discuss # showcase # webdev Comments Add Comment 1 min read loading... trending guides/resources प्रारम्भिक वैदिक काल की राजनीतिक एवं आर्थिक परिस्थितियों का विश्लेषण 🚀 Roast My Portfolio: I Launched mobeenfolio.com (Built with React & Firebase) long time ago. Outerwear Performance Analysis: A Data-Driven Investigation Quick Update on EcoFurball: New Guide Published + Behind the Scenes Turning a DivePhotoGuide Profile into a Real Underwater Portfolio Building Structured AI Videos with Soar2AI: From Prompts to Visual Storytelling पंचायती राज व्यवस्था पर परियोजना (20 पृष्ठ) 💎 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account
2026-01-13T08:49:37
https://www.fsf.org/share/
— Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › share Info Help us raise awareness of free software within your social networks We recommend these sites because they follow ethical guidelines and respect their users. Sign up for an account on any instance of: Mastodon , and follow the FSF . PeerTube , and follow the FSF . GNU social You can also help us create awareness by sharing on: Hacker News Other popular sites for sharing news are a problem for technology users -- they are set up to lock users to their services and deny them basic privacy and autonomy, though on any such site, you may find free software supporters congregating in unofficial groups. It's important that we let people everywhere know about the importance of free software, so if you have an account on these sites, please help spread the word. Share on Facebook — What's wrong with Facebook? Share on X Share on Reddit Please don't let sharing important news about free software lead to further use of these sites. 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:37
https://vibe.forem.com/privacy#11-other-provisions
Privacy Policy - Vibe Coding 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 Vibe Coding Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy.  They're called "defined terms," and we use them so that we don't have to repeat the same language again and again.  They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws.  8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:37
https://www.cloudflare.com/press-releases/2025/cloudflare-accelerates-ai-agent-development-remote-mcp/#:~:text=actually%20completing%20tasks%20on%20a,but%20hindering%20wider%2C%20mainstream%20adoption
Cloudflare Accelerates AI Agent Development With The Industry's First Remote MCP Server | Cloudflare Support Languages English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Platform Connectivity cloud Cloudflare’s connectivity cloud delivers 60+ networking, security, and performance services. Enterprise For large and medium organizations Small business For small organizations Partner Become a Cloudflare partner use cases Modernize applications Accelerate performance Ensure app availability Optimize web experience Modernize security VPN replacement Phishing protection Secure web apps and APIs Modernize networks Coffee shop networking WAN modernization Simplify your corporate network CxO topics Adopt AI Bring AI into workforces and digital experiences AI security Secure agentic AI and GenAI applications Data compliance Streamline compliance and minimize risk Post-quantum cryptography Safeguard data and meet compliance standards Industries Healthcare Banking Retail Gaming Public sector Resources Product guides Reference architectures Analyst reports Engage Events Demos Webinars Workshops Request a demo Products products Workspace security Zero trust network access Secure web gateway Email security Cloud access security broker Application security L7 DDoS protection Web application firewall API security Bot management Application performance CDN DNS Smart routing Load balancing Networking and SASE L3/4 DDoS protection NaaS / SD-WAN Firewall-as-a-service Network Interconnect plans & pricing Enterprise plans Small business plans Individual plans Compare plans Global services Support and success bundles Optimized Cloudflare experience Professional services Expert-led implementation Technical account management Focused technical management Security operations service Cloudflare monitoring and response Domain registration Buy and manage domains 1.1.1.1 Free DNS resolver Resources Product guides Reference architectures Analyst reports Product demos and tours Help me choose Developers documentation Developer library Documentation and guides Application demos Explore what you can build Tutorials Step-by-step build tutorials Reference architecture Diagrams and design patterns Products Artificial Intelligence AI Gateway Observe, control AI apps Workers AI Run ML models on our network Compute Observability Logs, metrics, and traces Workers Build, deploy serverless apps Media Images Transform, optimize images Realtime Build real-time audio/video apps Storage & database D1 Create serverless SQL databases R2 Store data without costly egress fees Plans & Pricing Workers Build and deploy serverless apps Workers KV Serverless key-value store for apps R2 Store data without costly egrees fees Explore projects Customer stories AI Demo in 30 seconds Quick guide to get started Explore Workers Playground Build, test, and deploy Developers Discord Join the community Start building Partners Partner Network Grow, innovate and meet customer needs with Cloudflare Partner Portal Find resources and register deals Partnership Types PowerUP Program Grow your business while keeping your customers connected and secure Technology Partners Explore our ecosystem of technology partners and integrators Global System Integrators Support seamless large-scale digital transformation Service Providers Discover our network of valued service providers Self-serve agency program Manage Self-Serve Accounts for your clients Peer-to-peer portal Traffic insights for your network Find a partner PowerUP your business - connect with Cloudflare Powered+ partners. Resources Engage Demos + product tours On-demand product demos Case studies Driving success with Cloudflare Webinars Insightful discussions Workshops Virtual forums Library Helpful guides, roadmaps, and more Reports Insights from Cloudflare’s research Blog Technical deep dives and product news Learning center Educational tools and how-to content Build Reference architecture Technical guides Solution + product guides Product documentation Documentation Developer documentation Explore theNET Executive insights for the digital enterprise Cloudflare TV Innovative series and events Cloudforce One Threat research and operations Radar Internet traffic and security trends Analyst reports Industry research reports Events Upcoming regional events Trust, privacy, and compliance Compliance information and policies Support Contact us Community forum Lost account access? Developers Discord Get help Company Company info Leadership Meet our leaders Investor relations Investor information Press Explore recent news Careers Explore open roles Trust, Privacy, & Safety Privacy Policy, data, and protection Trust Policy, process, and safety Compliance Certification and regulation Transparency Policy and disclosures Public Interest Humanitarian Project Galileo Government Athenian Project Elections Cloudflare For Campaigns Health Project Fair Shot Global network Global locations and status Log in Under attack? Newsroom Newsroom Overview Recent news Press releases Awards Press kit Cloudflare Accelerates AI Agent Development With The Industry's First Remote MCP Server Cloudflare’s Developer Platform and global network are the best place to build and deploy AI agents, removing cost and complexity barriers to making AI agents a reality This Press Release is also available in 日本語 , 한국어 , Deutsch , Français , Español (Latinoamérica) , Nederlands . San Francisco, CA, April 7, 2025 – Cloudflare, Inc. (NYSE: NET), the leading connectivity cloud company, today announced several new offerings to accelerate the development of AI agents. Cloudflare now enables developers to easily build and deploy powerful AI agents with the industry’s first remote Model Context Protocol (MCP) server, generally available access to durable Workflows, and a free tier for Durable Objects. These offerings enable developers to build agents in minutes, rather than months, simply, affordably, and at scale. AI agents – AI-enabled systems that can act autonomously, make decisions, and adapt to changing environments – represent the future of AI. AI agents have the potential to unlock massive productivity gains, and yet businesses are struggling to build agents that deliver real return on investment. Building agents require access to three core components: AI models for reasoning, workflows for execution, and APIs for access to tools and services. In order to build scalable agentic systems, organizations need access to a platform that can provide each of these components in a scalable, cost-efficient way. “Cloudflare is the best place to build and scale AI agents. Period. The most innovative companies out there see that agents are the next big frontier in AI, and they’re choosing Cloudflare because we’ve got everything they need to move fast and build at scale on our Workers platform,” said Matthew Prince, co-founder and CEO of Cloudflare. “Cloudflare was built for this moment. First, we built the most interconnected network on the planet. Then, we built a developer platform that took advantage of that network to run code within 50 milliseconds of 95% of everyone online. And, we’re keeping our foot on the gas to give developers the best tools to build the future of agentic AI.” With today’s announcement, Cloudflare's Developer Platform addresses some of the most critical challenges in building AI agents by: Unlocking smart, autonomous actions with the industry’s first remote MCP server MCP is a fast-growing open source standard that lets AI agents interact directly with external services. This shifts AI from simply giving instructions to actually completing tasks on a user’s behalf – whether that’s sending an email, booking a meeting, or deploying code changes. Previously, MCP has been limited to running locally on a device, making it accessible to developers and early-adopters but hindering wider, mainstream adoption. Cloudflare is making it easy to build and deploy remote MCP servers on Cloudflare, so any AI agent can securely connect over the Internet and interact with services, like email, without the need for a locally hosted server. MCP servers built on Cloudflare can retain context, providing a persistent, ongoing experience for each user. And through partnerships with Auth0 , Stytch , and WorkOS , Cloudflare is simplifying authentication and authorization that allows users to delegate permissions to agents, making secure agent deployment dramatically simpler. Building intelligent, contextually aware AI agents with Durable Objects, now on free tier Previously only available as part of paid plans, developers can now access Durable Objects on Cloudflare’s free tier, expanding broad and democratized access to a critical component for building agents. Durable Objects are a special type of Cloudflare Worker that combines compute with storage, allowing you to build stateful applications in a serverless environment without managing infrastructure. Durable Objects provide the ideal foundation for AI agents that need to maintain context across interactions, such as remembering past preferences or changing behavior based on prior events. Cloudflare’s network ensures Durable Objects scale out to millions of simultaneous customer interactions and can operate agents near the original request, ensuring each customer has a fast, low latency response. Deploying durable, multi-step applications with Workflows, now generally available Workflows allow you to build multi-step applications that can automatically retry, persist, and run for minutes, hours, days, or weeks. Workflows is now generally available, providing developers and organizations with a reliable way to build and manage multi-step applications infused with AI. For example, building an agent Workflow to book a trip would require searching for flights in a price range, which would require a persistent search over a certain predetermined time span. Then, once the flights have been found, an agent would purchase the flights with traveler information and a credit card. And finally, send confirmation to each traveler in the party. Paying only for what you use, for the most cost-efficient AI deployment AI inference is hard to predict and inconsistent in nature, unlike training, because it relies on human behavior, including the time of day and what action a person wants to take. With traditional hyperscalers, this requires organizations to prepare and provision for the highest level of capacity they can expect, even if that level only happens at peak times. Cloudflare's serverless platform automatically scales inference and AI agent resources based on demand, from zero to global scale in milliseconds. This ensures organizations only pay for what they use, dramatically reducing costs compared to traditional cloud deployments that require constant provisioning. "Cloudflare offers a developer-friendly ecosystem for creating AI agents that includes a free tier for Durable Objects and serverless options for AI inference,” explains Kate Holterhoff, senior analyst at RedMonk. “These low-cost, easy-to-use options could empower more businesses to adopt and experiment with agentic AI." Cloudflare has been a leader in making AI inference accessible, breaking down barriers that have kept AI out of reach for most businesses. Cloudflare has GPUs deployed across more than 190 cities globally, bringing AI as close to the user as possible for low latency experiences. To learn more, please check out the resources below: Get started building at agents.cloudflare.com Blog : Piecing together the Agent puzzle: MCP, authentication & authorization, and Durable Objects free tier Blog: Cloudflare Workflows is now GA: production-ready durable execution About Cloudflare Cloudflare, Inc. (NYSE: NET) is the leading connectivity cloud company on a mission to help build a better Internet. It empowers organizations to make their employees, applications and networks faster and more secure everywhere, while reducing complexity and cost. Cloudflare’s connectivity cloud delivers the most full-featured, unified platform of cloud-native products and developer tools, so any organization can gain the control they need to work, develop, and accelerate their business. Powered by one of the world’s largest and most interconnected networks, Cloudflare blocks billions of threats online for its customers every day. It is trusted by millions of organizations – from the largest brands to entrepreneurs and small businesses to nonprofits, humanitarian groups, and governments across the globe. Learn more about Cloudflare’s connectivity cloud at cloudflare.com/connectivity-cloud . Learn more about the latest Internet trends and insights at https://radar.cloudflare.com . Follow us: Blog | X | LinkedIn | Facebook | Instagram Forward-Looking Statements This press release contains forward-looking statements within the meaning of Section 27A of the Securities Act of 1933, as amended, and Section 21E of the Securities Exchange Act of 1934, as amended, which statements involve substantial risks and uncertainties. In some cases, you can identify forward-looking statements because they contain words such as “may,” “will,” “should,” “expect,” “explore,” “plan,” “anticipate,” “could,” “intend,” “target,” “project,” “contemplate,” “believe,” “estimate,” “predict,” “potential,” or “continue,” or the negative of these words, or other similar terms or expressions that concern Cloudflare’s expectations, strategy, plans, or intentions. However, not all forward-looking statements contain these identifying words. Forward-looking statements expressed or implied in this press release include, but are not limited to, statements regarding the capabilities and effectiveness of Cloudflare’s Developer Platform and Cloudflare’s other products and technology, the benefits to Cloudflare’s customers from using Cloudflare’s Developer Platform and Cloudflare’s other products and technology, the potential opportunity for Cloudflare to attract additional customers and to expand sales to existing customers through Cloudflare’s partnerships with Auth0 and Stytch, Cloudflare’s technological development, future operations, growth, initiatives, or strategies, and comments made by Cloudflare’s CEO and others. Actual results could differ materially from those stated or implied in forward-looking statements due to a number of factors, including but not limited to, risks detailed in Cloudflare’s filings with the Securities and Exchange Commission (SEC), including Cloudflare’s Annual Report on Form 10-K filed on February 20, 2025, as well as other filings that Cloudflare may make from time to time with the SEC. The forward-looking statements made in this press release relate only to events as of the date on which the statements are made. Cloudflare undertakes no obligation to update any forward-looking statements made in this press release to reflect events or circumstances after the date of this press release or to reflect new information or the occurrence of unanticipated events, except as required by law. Cloudflare may not actually achieve the plans, intentions, or expectations disclosed in Cloudflare’s forward-looking statements, and you should not place undue reliance on Cloudflare’s forward-looking statements. © 2025 Cloudflare, Inc. All rights reserved. Cloudflare, the Cloudflare logo, and other Cloudflare marks are trademarks and/or registered trademarks of Cloudflare, Inc. in the U.S. and other jurisdictions. All other marks and names referenced herein may be trademarks of their respective owners. Press Contact Information Daniella Vallurupalli [email protected] +1 650-741-3104 GETTING STARTED Free plans Small business plans For enterprises Get a recommendation Request a demo Contact sales SOLUTIONS Connectivity cloud Application services SSE and SASE services Network services Developer platform SUPPORT Help center Customer support Community forum Developers Discord Lost account access? Cloudflare status COMPLIANCE Compliance resources Trust GDPR Responsible AI Transparency report Report abuse PUBLIC INTEREST Project Galileo Athenian Project Cloudflare for Campaigns Project Fairshot COMPANY About Cloudflare Network map Our team Logos & press kit Diversity, equity, & inclusion Impact/ESG GETTING STARTED Free plans Small business plans For enterprises Get a recommendation Request a demo Contact sales SOLUTIONS Connectivity cloud Application services SSE and SASE services Network services Developer platform SUPPORT Help center Customer support Community forum Developers Discord Lost account access? Cloudflare status COMPLIANCE Compliance resources Trust GDPR Responsible AI Transparency report Report abuse PUBLIC INTEREST Project Galileo Athenian Project Cloudflare for Campaigns Project Fairshot COMPANY About Cloudflare Network map Our team Logos & press kit Diversity, equity, & inclusion Impact/ESG © 2026 Cloudflare, Inc. Privacy Policy Terms of Use Report Security Issues Trademark
2026-01-13T08:49:37
https://open.forem.com/qwegle_insights/why-indias-gig-worker-strike-is-about-technology-k49
Why India’s Gig Worker Strike Is About Technology - Open 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 Open Forem 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 Qwegle Tech Posted on Dec 31, 2025 Why India’s Gig Worker Strike Is About Technology # gig # gigworkers # company # news Introduction At first glance, India’s gig worker strike appears to be another labour dispute. Delivery partners logging out of apps. Orders are slowing down. Public demands for higher pay and better conditions. But look closer, and a deeper story emerges. This is not only a protest against wages. It is a response to how technology defines the pace of modern work. It is about software systems that promise speed to customers while quietly transferring pressure onto human bodies. And it is about how design decisions made inside platforms ripple outward into streets, traffic, and daily life. When gig workers step away from their phones, they are not rejecting technology. They are questioning how it is being used. Where the Strike Began to Make Sense Delivery partners working with platforms like Swiggy , Zomato , and Amazon delivery services did not arrive at this moment overnight. For months, workers across cities reported shrinking incentives, rising fuel costs, and tighter delivery expectations. What finally brought attention was the demand to remove ultra-fast delivery options. This request was not symbolic. It was deeply practical. Fast delivery is not just a promise made in marketing campaigns. It is a technical setting. It lives inside routing algorithms, time estimates, and performance scoring systems. Once speed becomes a selling point, the system must enforce it. And enforcement is carried out by code. How Platforms Set the Rhythm of Work Behind every delivery notification is a complex technological system. Platforms track traffic patterns, order density, customer behaviour, and individual worker history in real time. Algorithms decide who gets assigned what order, how long the delivery should take, and how performance is evaluated. For gig workers, the app becomes more than a tool. It becomes a silent supervisor. Accept too slowly, and future orders may decline. Miss a delivery window, and incentives disappear. Declining tasks repeatedly, and visibility within the system drops. None of this is shouted. It is nudged quietly through notifications, timers, and scores. When delivery timelines become tighter, workers feel it immediately. Breaks shorten. Risk increases. What appears to be efficiency on a dashboard can become a strain on the road. Why This Is a Technology Story First This strike matters because it exposes how software design shapes human behaviour. Technology does not simply reflect reality. It constructs it. A ten-minute delivery option exists because teams decided that speed should outweigh other considerations. That decision affects how routes are calculated, how bonuses are structured, and how workers move through cities. When algorithms prioritise speed above safety or sustainability, humans absorb the cost. And unlike software, humans have limits. This is why the strike is about technology as much as labour. It asks a fundamental question. What should systems optimise for? The Promise and Pressure of Flexibility The gig economy was built on the idea of freedom. Work when you want. Choose your hours. Be independent. In practice, flexibility is often shaped by invisible constraints. Peak hour bonuses encourage longer shifts. Acceptance rates affect future task allocation. Declining orders can quietly reduce income opportunities. Gig workers are not saying flexibility is a lie. They are saying it is conditional. When systems tighten, freedom shrinks. The strike brings this tension into the open. Speed Versus Sustainability Fast delivery has become a competitive battleground. Platforms race to outdo one another. Customers grow accustomed to immediacy. But speed has consequences. Roads are unpredictable. Weather changes. Fatigue builds. When systems ignore these realities, risk increases. Gig workers are asking platforms to recognise that sustainability matters. They are not opposing innovation. They are asking for technology that respects human rhythm. That distinction matters. What Responsible Platform Design Looks Like Better technology does not mean slower progress. It means wiser priorities. Routing systems can include safety buffers. Incentives can reward consistency rather than only speed. Earnings models can guarantee minimum stability. Automated penalties can include human review. Transparency is equally important. Workers deserve to understand how payouts are calculated and how performance affects opportunity. When systems feel opaque, trust erodes. Good technology explains itself. It does not hide behind complexity. Qwegle’s Insights At Qwegle , we study how digital systems influence human behaviour long before the effects become visible. The gig worker strike is a clear signal. We see a familiar pattern. Platforms scale efficiency faster than care. Over time, the imbalance becomes visible through burnout, resistance, and public pushback. The companies that will endure are not the ones that push hardest. They are the people who listen, adapt, and design with sensitivity. They view workers as a component of the system, not as variables to be optimized. Technology works best when it helps people, not when it limits them. Why this matters beyond delivery apps This topic extends well beyond food and supplies. The same dynamics are observed wherever algorithms govern human work. Warehousing. Customer support. Content moderation. Even creative work. Anywhere software sets the pace, assigns value, and measures performance; the same question applies. Who benefits from optimisation? Who bears the risk? The gig worker strike is not an isolated event. It is a preview. What the Future Can Look Like There is a different path forward. One where platforms use technology to protect workers as much as customers. Dynamic delivery windows that adjust to real conditions. Safety weighted routing. Clear earning guarantees. Transparent scoring systems. Human oversight where automation falls short. None of this is unrealistic. It requires intention. Technology should expand human capability, not shrink it. Conclusion India’s gig worker strike is not a rejection of progress. It is a call for better progress. It asks platform builders to look beyond growth metrics and consider real-life experience. It reminds designers that speed is not always an improvement. And it shows that when systems forget the human, people eventually push back. When technology listens, trust returns. Contact Qwegle to understand how ethical technology design can shape sustainable platforms and long-term digital trust. 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 Qwegle Tech Follow Building smarter UX for a faster future. Qwegle simplifies tech, design, and AI for the real world. Joined Jun 19, 2025 💎 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 Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here 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 . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account
2026-01-13T08:49:37
https://vibe.forem.com/privacy#10-childrens-information
Privacy Policy - Vibe Coding 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 Vibe Coding Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy.  They're called "defined terms," and we use them so that we don't have to repeat the same language again and again.  They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws.  8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:37
https://www.fine.dev/blog/bolt-vs-v0#bibliography
Comparing Bolt.new and v0 by Vercel: Which AI-Powered Development Tool Suits Your Startup? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Comparing Bolt.new and v0 by Vercel: Which AI-Powered Development Tool Suits Your Startup? Every second counts. Choose the wrong AI-powered development platform, and you risk burnout. We'll compare two key tools—Bolt.new and v0 by Vercel—then introduce Fine , the alternative that might be just what you need. Table of Contents Introduction: Setting the Stage Overview of Bolt.new and v0 by Vercel Comparative Analysis The Hidden Gaps Enter Fine: The Startup’s Secret Weapon Call to Action: Try Fine Today Conclusion Bibliography Overview of Bolt.new and v0 by Vercel Bolt.new What It Is: Bolt.new is an AI-powered full-stack development platform that operates directly within your browser. Designed to streamline the development process, Bolt.new leverages artificial intelligence to facilitate rapid app creation without the traditional overhead. Key Features: Generates and Runs Multi-Page Apps: Create complex, multi-page applications effortlessly. Uses Natural Language Prompts: Interact with the platform using simple natural language commands, making development more intuitive. One-Click Deployment: Deploy your applications with a single click, reducing the time from development to production. Strengths: Bolt.new excels in rapid prototyping and easy scaling. Its AI-driven approach enables developers, especially those just starting out, to quickly iterate on ideas and scale applications as user demands grow, all within a user-friendly interface. v0 by Vercel What It Is: v0 by Vercel is an AI-driven UI generator tailored specifically for React and Tailwind CSS. It focuses on enhancing the front-end development experience, making it easier to create visually appealing and responsive user interfaces. Key Features: Generates React Components from Natural Language: Describe the UI you want, and v0 will generate the corresponding React components. Seamless Next.js and Tailwind Integration: Built to work flawlessly with Next.js and Tailwind CSS, ensuring your projects maintain consistency and scalability. AI SDK 3.0 for Real-Time UI Rendering: Leverage the latest AI SDK to render UIs in real-time, facilitating immediate feedback and adjustments. Strengths: v0 is particularly beneficial for those deploying their front-end via Vercel. Comparative Analysis Development Speed: Which Tool Gets Your MVP Out Faster? When time is of the essence, development speed is paramount. Bolt.new shines with its AI-driven full-stack capabilities, enabling rapid prototyping and swift transitions from development to deployment. Its one-click deployment feature ensures that your Minimum Viable Product (MVP) can reach the market quickly without the usual delays. On the other hand, v0 by Vercel is optimized for front-end development. While it accelerates UI creation with its natural language-driven component generation, it may require additional tools or platforms to handle back-end functionalities, potentially elongating the overall development timeline for a full-stack MVP. Winner: Bolt.new offers a more comprehensive solution for getting an MVP out faster, especially if your project demands both front-end and back-end capabilities from the outset. Tech Stack Integration: Flexibility in Choosing Libraries and Frameworks Bolt.new provides a unified environment that may limit flexibility in choosing specific libraries and frameworks outside its ecosystem. While it supports multi-page app generation and scaling, integrating additional tools might require workarounds or may not be as seamless. v0 by Vercel excels in tech stack integration, especially for projects centered around React and Tailwind CSS. Its seamless integration with Next.js allows developers to leverage a robust and popular framework, ensuring compatibility with a wide range of libraries and tools within the React ecosystem. Winner: v0 by Vercel offers greater flexibility for projects that rely heavily on specific front-end frameworks and libraries, making it a better choice for tech stacks centered around React and Tailwind. Ease of Use: How Intuitive Are They for Non-Expert Developers? Both platforms prioritize user-friendly interfaces, but their approaches differ. Bolt.new uses natural language prompts for development, making it highly accessible for non-expert developers or those new to full-stack development. Its comprehensive toolset reduces the learning curve, allowing users to focus on building rather than configuring. v0 by Vercel also employs natural language prompts for generating UI components, which simplifies front-end development. However, its focus is more specialized, which might require users to have a basic understanding of React and Tailwind to fully leverage its capabilities. Winner: Bolt.new edges out slightly as the more intuitive option for non-expert developers seeking a full-stack solution without needing deep technical knowledge. Collaboration: Support for Team-Based Projects and Feedback Loops Effective collaboration is essential for startup teams. Bolt.new offers collaborative features that support team-based projects, allowing multiple developers to work simultaneously and integrate feedback seamlessly. Its AI-driven environment facilitates real-time collaboration, making it easier to manage team workflows. v0 by Vercel also supports collaboration, particularly in the context of front-end development. Its integration with design tools and real-time UI rendering fosters a collaborative design and development process. However, its focus on the front end might require additional collaboration tools for back-end or full-stack projects. Winner: Both platforms offer solid collaboration features, but Bolt.new provides a more holistic approach for full-stack team projects, making it more suitable for comprehensive team collaboration. Deployment Options: Bolt.new’s One-Click Deploy vs. Vercel’s Platform-Specific Integrations Bolt.new simplifies deployment with its one-click deploy feature, allowing developers to push their applications to production effortlessly. This streamlined process is ideal for startups needing quick deployments without extensive configuration. v0 by Vercel, part of the Vercel ecosystem, offers platform-specific integrations that provide optimized deployment for front-end applications. While it excels in deploying React and Tailwind projects, the process might require more steps compared to Bolt.new’s all-in-one deployment approach. Winner: Bolt.new provides a quicker and more straightforward deployment process, which is advantageous for startups looking to minimize deployment complexities. Cost & Accessibility: Free Tiers vs. Paid Plans and Limitations Both Bolt.new and v0 by Vercel offer free tiers, allowing startups to explore their features without immediate financial commitment. However, their paid plans vary in terms of features and scalability. Bolt.new’s free tier includes essential features for small projects, but scaling might require upgrading to paid plans that offer enhanced capabilities like advanced AI features and higher deployment limits. v0 by Vercel integrates into Vercel’s pricing model, which provides scalable plans based on usage. The free tier is generous for front-end projects, but extensive usage or the need for advanced integrations will necessitate moving to a paid plan. Winner: Both platforms offer competitive pricing structures, but Bolt.new may present a more cost-effective solution for full-stack needs, whereas v0 by Vercel is ideal for startups heavily focused on front-end development. The Hidden Gaps While both Bolt.new and v0 by Vercel offer impressive features, they have their shortcomings that startups should consider. Where Bolt.new Falls Short: Limited Integrations with Issue Trackers: Bolt.new lacks extensive integrations with popular issue trackers like GitHub or Linear , which are essential for managing development workflows and tracking bugs. Where v0 by Vercel Falls Short: Limited Back-End and Full-Stack Support: v0 is primarily focused on front-end UI generation , offering limited support for back-end and full-stack solutions, which can hinder comprehensive application development. Common Gaps: Minimal Collaborative Automation: Both platforms provide basic collaboration features but lack advanced collaborative automation beyond individual development, making it challenging to manage larger, more complex team projects efficiently. Enter Fine: The Startup’s Secret Weapon While Bolt.new and v0 by Vercel each have their strengths, Fine emerges as the ultimate solution that bridges their gaps and offers a more comprehensive development environment tailored for startups. How Fine Bridges the Gaps: Comprehensive AI Agent Support: Fine supports both front-end and back-end development, providing AI agents that handle the entire stack. This eliminates the need to juggle multiple tools and ensures a cohesive development process. Live Previews: Build, run, and test your applications directly in the browser with Fine’s live previews. This feature allows developers to see changes in real-time, facilitating immediate feedback and quicker iterations. Workflow Automation: Fine automates repetitive tasks, reducing development cycle times and allowing developers to focus on what truly matters—building innovative solutions. Automation features streamline workflows, enhancing productivity and efficiency. Team Collaboration: With shared workspaces, Fine offers streamlined project management for teams. Multiple developers can work together seamlessly, with integrated feedback loops and collaborative tools that enhance teamwork and communication. Specific Benefits for Startups: Faster MVP Launches with Fewer Bugs: Fine’s comprehensive toolset and AI-driven capabilities enable startups to develop and launch their MVPs quickly while maintaining high code quality, reducing the likelihood of bugs and errors. Enhanced Code Consistency and Quality: The platform enforces consistent coding standards and best practices, ensuring that the codebase remains maintainable and scalable as the startup grows. Integration with GitHub and Linear for End-to-End Workflow: Fine seamlessly integrates with popular tools like GitHub and Linear, providing an end-to-end workflow that encompasses version control, issue tracking, and project management. This integration ensures that all aspects of development are interconnected and easily manageable. Call to Action: Try Fine Today Whether you're intrigued by Bolt.new's all-in-one full-stack environment or v0 by Vercel’s sleek UI generation, Fine offers the perfect blend of both worlds—and then some. By addressing the limitations of both platforms and providing a more holistic development environment, Fine stands out as the optimal choice for startups aiming to save time, reduce complexity, and scale efficiently. Ready to elevate your development process? Try Fine today with our free trial or enjoy our easy sign-up process to get started on building your next big idea without the hassle. Conclusion Choosing the right development tool is a critical decision for startups striving to build robust, scalable applications efficiently. Bolt.new offers a powerful full-stack solution with rapid deployment capabilities, while v0 by Vercel excels in front-end UI generation and seamless integration with React and Tailwind. However, both platforms have their limitations, particularly in areas like comprehensive integrations and collaborative automation. Fine emerges as the ultimate solution for startup developers, bridging the gaps left by Bolt.new and v0 by Vercel. With its comprehensive AI agent support, live previews, workflow automation, and robust team collaboration features, Fine empowers startups to launch faster, maintain high code quality, and scale seamlessly. Your startup’s success story starts with the right tools. Choose Fine and set your development process on the path to efficiency, innovation, and growth . Full Table of Contents Introduction: Setting the Stage Overview of Bolt.new and v0 by Vercel Bolt.new v0 by Vercel Comparative Analysis Development Speed: Which Tool Gets Your MVP Out Faster? Tech Stack Integration: Flexibility in Choosing Libraries and Frameworks Ease of Use: How Intuitive Are They for Non-Expert Developers? Collaboration: Support for Team-Based Projects and Feedback Loops Deployment Options: Bolt.new’s One-Click Deploy vs. Vercel’s Platform-Specific Integrations Cost & Accessibility: Free Tiers vs. Paid Plans and Limitations The Hidden Gaps Where Bolt.new Falls Short Where v0 by Vercel Falls Short Common Gaps Enter Fine: The Startup’s Secret Weapon How Fine Bridges the Gaps Specific Benefits for Startups Call to Action: Try Fine Today Conclusion Bibliography Bibliography 10Web. (n.d.). v0 by Vercel Review: Features, Pros, and Cons. Retrieved from https://10web.io/ai-tools/v0-by-vercel/ AI Product Reviews. (2024). Bolt.new: Features, Pricing, and Alternatives. Retrieved from https://ai-product-reviews.com/boltnew AI Review. (2023). v0 by Vercel: Price, Pros & Cons, Alternatives, App Reviews. Retrieved from https://ai-review.com/developer-tools/v0-by-vercel/ Aideloje, P. (2024). Vercel v0 and the future of AI-powered UI generation. Retrieved from https://blog.logrocket.com/vercel-v0-ai-powered-ui-generation/ Ånand, M. (2024). Should You Try v0, Webcrumbs or Both?. Retrieved from https://hackernoon.com/should-you-try-v0-webcrumbs-or-both Bolt. (2024). Documentation for Bolt.new. Retrieved from https://docs.bolt.new Bolt. (2024). GitHub Repository: Bolt.new. Retrieved from https://github.com/coleam00/bolt.new-any-llm Bolt. (2024). Introducing Bolt.new: AI-Powered Full-Stack Development in Your Browser. Retrieved from https://bolt.new Gelfenbuim, L. (2023). Vercel v0 First Impressions. Retrieved from https://lev.engineer/blog/vercel-v0-first-impressions Harris, L. (2024). Bolt.new vs. Vercel v0: Which AI Tool is Better for Web Development?. Retrieved from https://ai-tool-comparison.com/bolt-vs-v0 Johnson, R. (2024). How Bolt.new Simplifies Full-Stack Development for AI Enthusiasts. Retrieved from https://codejournal.io/boltnew-ai NoCodeDevs. (2024). Bolt.new Tutorial for Beginners (The Cursor AI and v0 Killer). Retrieved from https://www.nocodedevs.com/videos/bolt-new-tutorial Parkhomchuk, V. (2024). Vercel v0 AI Review: How To Use, Features And Alternatives. Retrieved from https://www.banani.co/blog/vercel-v0-ai-review Patel, D. (2024). Bolt.new Review: The Future of Full-Stack AI Development?. Retrieved from https://dev.to/patel/best-ai-tools/boltnew Rajab, A. (2024). What is Vercel's AI tool, V0.dev and how do you use it?. Retrieved from https://dev.to/opensauced/what-is-vercels-ai-tool-v0dev-and-how-do-you-use-it-3nge Rivera, J. (2024). Bolt.new Tutorial: Building a Full-Stack App Without Local Setup. Retrieved from https://tutorialcenter.com/boltnew StackShare. (n.d.). Bolt.new - Reviews, Pros & Cons | Companies using Bolt.new. Retrieved from https://stackshare.io/bolt-new StackShare. (n.d.). v0 by Vercel - Reviews, Pros & Cons | Companies using v0 by Vercel. Retrieved from https://stackshare.io/v0-vercel Vercel. (2024). AI SDK 3.0: Now Supporting Generative UI. Retrieved from https://vercel.com/blog/ai-sdk-3-generative-ui Vercel. (2024). Announcing v0: Generative UI by Vercel. Retrieved from https://vercel.com/blog/announcing-v0-generative-ui Vercel. (2024). v0 FAQ. Retrieved from https://v0.dev/faq Vercel. (2024). v0 Subscription Plans. Retrieved from https://v0.dev/subscription Wavel. (n.d.). v0 Review - Features, Pricing and Alternatives. Retrieved from https://wavel.io/ai-tools/v0-2/ YouTube. (2024). Bolt.new | Vercel v0 Killer? Retrieved from https://www.youtube.com/watch?v=R-frcOq6Kdc Zeniteq. (2024). Vercel's V0 Can Build Web Frontend In Seconds Using AI. Retrieved from https://www.zeniteq.com/blog/vercels-v0-can-build-web-frontend-in-seconds-using-ai Start building today Try out the smoothest way to build, launch and manage an app Try for Free -> © Fine.dev - All rights reserved. Product Overview AI Workflows Pricing & Plans Changelog Blog Docs Company Press Terms & Conditions Privacy policy
2026-01-13T08:49:37
https://go.opensource.org/blindsidenetworks
Homepage - Blindside Networks Solutions Solutions for K-12 Solutions for Higher Education Corporate Training Solutions for Governments Services BigBlueButton Enhanced BigBlueButton Enterprise Blindside ELAD Resources About Us Whitepaper: Rethinking the Virtual Classroom Success Stories Moodle LMS Canvas LMS Blog Events Support Contact Us Select Page The BigBlueButton Experts in We’ve helped thousands of educational organizations deliver effective virtual classes measured by what matters most: increasing learning outcomes. We can do the same for you. " " Blindside Networks: BigBlueButton Hosting for Online Learning Hello! We are Blindside Networks. We know BigBlueButton like no one else. With our expertise and ability to provide analytics at the organizational level, we aim to help you maximize the effectiveness of your online classes. Working with Blindside Networks, you have the ability, like never before, to improve engagement and accountability, track progress and ensure better learning outcomes in every virtual class. BigBlueButton + Blindside Win Moodle’s Certified Integration Partner of the Year Learn more BigBlueButton + Blindside Win Moodle’s Certified Integration Partner of the Year Learn more Every Student Learns How? Most virtual classes are taught with business-focused video conferencing systems. With these systems, everything is just bits on the screen: they have no concept of teaching and learning, nor of your goals to increase learning outcomes. Everything is just a meeting. The inevitable result: classes taught using video conferencing systems are one way, passive, with minimal participation and unremarkable learning outcomes. See Our Solutions BigBlueButton Is Purpose-Built for Active Learning  Actively Improve Online Learner Engagement Leverage tools purpose-built to facilitate interaction and enhance engagement.  Prioritize Data Privacy Third-party apps can introduce privacy issues. BigBlueButton incorporates essential tools for tracking learning outcomes without compromising privacy.  Reduce Loss of Instructional Time Features like BigBlueButton's Smart Slides enhance virtual learning by synchronizing content, improving engagement, and saving time.  Get Up & Running with Minimal Training Intuitive features and interface ensure high success rates in platform adoption and improved learning outcomes.  Eliminate Reliance on Webcams By leaning on live analytics rather than webcams, teachers can more easily identify students who may be struggling and offer assistance.  Synchronous & Asynchronous Learning Provide educators with the ability to manage the flow of their online classrooms, ensuring active participation while preventing unwanted intrusions and distractions.  Remove Extra Tools for In-Class Assessments Reduce or eliminate the need to juggle third-party tools to monitor learning outcomes during class sessions.  Explore Our Services Learn More Whether you are just getting started or need help optimizing BigBlueButton, we can help. Contact Trusted By Educational Institutions, Governments & Fortune 500 Companies World Wide Customized For Your Organization Our services are specifically designed to ensure BigBlueButton is optimized to meet your organization’s needs.   BigBlueButton Enhanced An Enhanced version just for you. 99.99% Uptime We combine hosting, training, support, and analytics to ensure your virtual classes deliver measurable results. Learn More  BigBlueButton Enterprise On-site Deployment. Your Hardware. Your Network. Our Support. Help is here. Created by Blindside Networks, it delivers our most advanced virtual collaboration capabilities in a fully controlled, secure on-site deployment. Learn More Built into the world's most popular Learning Management Systems What do Canvas and Moodle have in common? They have embedded BigBlueButton into their product and have partnered with Blindside Networks who provide hosting worldwide for virtual classes. This makes BigBlueButton the most widely adopted virtual classroom system by LMS companies for higher education and K–12. Schedule a Demo Your Partner In Success We are the originators and managers of the BigBlueButton project. In the past 3 years, Blindside Networks has facilitated more than   70,000,000   hours of online classes using BigBlueButton. Discover why organizations choose us to maximize learning outcomes.  Contact Us Power Up Your Virtual Education Let’s discuss how Blindside Networks can help reach your virtual education goals using BigBlueButton. Get in Touch Company About Cookie Notice Privacy Notice CCPA Terms of Service Contact Us Services BigBlueButton Enhanced BigBlueButton Enterprise Blindside ELAD Blindside Networks For K-12 Higher Ed Corporate Training Government Follow Follow Copyright © All rights reserved Blindside Networks
2026-01-13T08:49:37
https://dev.to/aaron_rose_0787cc8b4775a0/the-secret-life-of-go-interfaces-21a1
The Secret Life of Go: Interfaces - 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 Aaron Rose Posted on Jan 12           The Secret Life of Go: Interfaces # go # coding # programming # software Chapter 14: The Shape of Behavior The archive was unusually cold that Thursday. The radiators hissed and clanked, fighting a losing battle against the draft seeping through the century-old brickwork. Ethan sat at the table wearing his heavy coat, typing with fingerless gloves. He looked miserable. "It’s the duplication," he muttered, staring at his screen. "I feel like I'm writing the same code twice." Eleanor placed a small plate on the desk. "Mille-feuille," she said. "Thousands of layers of pastry, separated by cream. Distinct, yet unified." Ethan eyed the pastry. "I wish my code was that organized. Look at this." He spun his laptop around. type Admin struct { Name string Level int } type Guest struct { Name string } func SaveAdmin ( a Admin ) error { // Logic to save admin to database... return nil } func SaveGuest ( g Guest ) error { // Logic to save guest to text file... return nil } func ProcessAdmin ( a Admin ) { if err := SaveAdmin ( a ); err != nil { log . Println ( err ) } } func ProcessGuest ( g Guest ) { if err := SaveGuest ( g ); err != nil { log . Println ( err ) } } Enter fullscreen mode Exit fullscreen mode "I have two types of users," Ethan explained. "Admins go to the database. Guests go to a log file. But now my manager wants a 'SuperAdmin', and I’m about to write ProcessSuperAdmin and SaveSuperAdmin . It feels wrong." "It feels wrong because you are obsessed with identity," Eleanor said, pouring tea. "You are asking 'What is this thing?' Is it an Admin? Is it a Guest? But the function Process does not care what the thing is . It only cares what the thing does ." She pointed to the Save calls. "What is the behavior you actually need?" "I need it to save." "Precisely. In Go, we describe behavior with Interfaces ." The Implicit Contract Eleanor opened a new file. "In other languages, you might create a complex hierarchy. AbstractUser inherits from BaseEntity . In Go, we simply describe a method set." type Saver interface { Save () error } Enter fullscreen mode Exit fullscreen mode "This is it," she said. "Any type that has a Save() error method is automatically a Saver . You do not need to type implements Saver . You do not need to sign a contract. You just do the job." She refactored Ethan’s code: // 1. Define the behaviors (Methods) on the structs func ( a Admin ) Save () error { fmt . Println ( "Saving admin to DB..." ) return nil } func ( g Guest ) Save () error { fmt . Println ( "Writing guest to file..." ) return nil } // 2. Write ONE function that accepts the Interface func ProcessUser ( s Saver ) { // This function doesn't know if 's' is an Admin or a Guest. // It doesn't care. It just knows it can call Save(). if err := s . Save (); err != nil { log . Println ( err ) } } Enter fullscreen mode Exit fullscreen mode Ethan blinked. "Wait. Admin doesn't mention Saver anywhere?" "No. This is called Duck Typing . If it walks like a duck and quacks like a duck, Go treats it as a duck. Because Admin has the Save method, it is a Saver . This decouples your code. The ProcessUser function no longer depends on Admin or Guest . It depends only on the behavior." Accept Interfaces, Return Structs "So I should make interfaces for everything?" Ethan asked, reaching for the mille-feuille. "Should I make an AdminInterface ?" "Absolutely not," Eleanor said sharply. "That is the Java talking. In Go, we have a golden rule: Accept Interfaces, Return Structs ." She wrote it on a notepad. Accept Interfaces: Functions should ask for the abstract behavior they need ( Saver , Reader , Validator ). This makes them flexible. Return Structs: Functions that create things should return the concrete type ( *Admin , *File , *Server ). "Why?" Ethan asked. "Because of Postel's Law ," Eleanor replied. "'Be conservative in what you do, be liberal in what you accept from others.' If you return an interface, you strip away functionality. You hide data. If you return a concrete struct, the caller gets everything. But when you accept an argument, you should ask for the minimum behavior required." She typed an example: // Good: Return the concrete struct (pointer) func NewAdmin ( name string ) * Admin { return & Admin { Name : name } } // Good: Accept the interface func LogUser ( s Saver ) { s . Save () } func main () { admin := NewAdmin ( "Eleanor" ) // We get a concrete *Admin LogUser ( admin ) // We pass it to a function expecting a Saver } Enter fullscreen mode Exit fullscreen mode "See?" Eleanor traced the lines. "We create concrete things. But we pass them around as abstract behaviors." The Empty Interface "What if I want to accept anything ?" Ethan asked. "Like print(anything) ?" "Then you use the Empty Interface: interface{} . Or in modern Go, any ." func PrintAnything ( v any ) { fmt . Println ( v ) } Enter fullscreen mode Exit fullscreen mode "Since any has zero methods, every single type in Go satisfies it. An integer, a struct, a pointer—they all have at least zero methods." "That sounds powerful," Ethan said. "It is dangerous," Eleanor corrected. "When you use any , you throw away all type safety. You are telling the compiler, 'I don't care what this is.' Use it sparingly. Use it only when you truly do not care about the data, like in fmt.Printf or JSON serialization." Small is Beautiful Ethan finished the pastry. "So, big interfaces are better? Like UserBehavior with Save , Delete , Update , Validate ?" "No. The bigger the interface, the weaker the abstraction," Eleanor said. "We prefer single-method interfaces. Reader . Writer . Stringer . Saver . If I ask for a Saver , I can pass in an Admin , a Guest , or even a CloudBackup . If I ask for a massive UserBehavior , I can only pass in things that implement all twenty methods . Keep it small." She closed her laptop. "Do not define the world, Ethan. Just define the behavior you need right now." Ethan looked at his refactored code. The duplicate functions were gone, replaced by a single, elegant ProcessUser(s Saver) . "It's about detachment," he realized. "The function doesn't need to know the identity of the data." "Exactly," Eleanor smiled, wrapping her hands around her warm tea. "It is polite software design. We do not ask 'Who are you?' We simply ask, 'Can you save?'" Key Concepts from Chapter 14 Implicit Implementation: Go types satisfy interfaces automatically. There is no implements keyword. If a struct has the methods, it fits the interface. Metaphor: Duck Typing. (If it quacks, it's a duck). Defining Interfaces: Define interfaces where you use them, not where you define the types. type Saver interface { Save () error } Enter fullscreen mode Exit fullscreen mode The Golden Rule: "Accept Interfaces, Return Structs." Accept: Function inputs should be interfaces (e.g., func Do(r io.Reader) ). This allows flexibility. Return: Function outputs (constructors) should be concrete types (e.g., func New() *MyStruct ). This gives the caller full access. Small Interfaces: Prefer single-method interfaces ( io.Reader , fmt.Stringer ). Small interfaces are easier to satisfy and compose. The Empty Interface ( any ): interface{} (or alias any ) is satisfied by all types. Use it only when necessary (like generic printing or containers), as it bypasses compile-time type checking. Decoupling: Interfaces allow you to write logic (like ProcessUser ) that works with future types you haven't even invented yet. Next chapter: Concurrency. Ethan thinks doing two things at once is easy, until Eleanor introduces him to the chaos of race conditions—and the zen of channels. Aaron Rose is a software engineer and technology writer at tech-reader.blog and the author of Think Like a Genius . 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 Aaron Rose Follow Software engineer and technology writer at tech-reader.blog Location Dallas, TX Joined Aug 24, 2024 More from Aaron Rose The Secret Life of Go: Testing # go # coding # programming # softwaredevelopment The Secret Life of Python: The Matryoshka Trap # python # coding # programming # softwaredevelopment The Secret Life of Python: The Dangerous Reflection # python # coding # programming # softwaredevelopment 💎 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:49:37
https://www.cloudflare.com/press-releases/2025/cloudflare-accelerates-ai-agent-development-remote-mcp/#:~:text=Cloudflare%2C%20so%20any%20AI%20agent,And%20through%20partnerships%20with%20Auth0
Cloudflare Accelerates AI Agent Development With The Industry's First Remote MCP Server | Cloudflare Support Languages English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Platform Connectivity cloud Cloudflare’s connectivity cloud delivers 60+ networking, security, and performance services. Enterprise For large and medium organizations Small business For small organizations Partner Become a Cloudflare partner use cases Modernize applications Accelerate performance Ensure app availability Optimize web experience Modernize security VPN replacement Phishing protection Secure web apps and APIs Modernize networks Coffee shop networking WAN modernization Simplify your corporate network CxO topics Adopt AI Bring AI into workforces and digital experiences AI security Secure agentic AI and GenAI applications Data compliance Streamline compliance and minimize risk Post-quantum cryptography Safeguard data and meet compliance standards Industries Healthcare Banking Retail Gaming Public sector Resources Product guides Reference architectures Analyst reports Engage Events Demos Webinars Workshops Request a demo Products products Workspace security Zero trust network access Secure web gateway Email security Cloud access security broker Application security L7 DDoS protection Web application firewall API security Bot management Application performance CDN DNS Smart routing Load balancing Networking and SASE L3/4 DDoS protection NaaS / SD-WAN Firewall-as-a-service Network Interconnect plans & pricing Enterprise plans Small business plans Individual plans Compare plans Global services Support and success bundles Optimized Cloudflare experience Professional services Expert-led implementation Technical account management Focused technical management Security operations service Cloudflare monitoring and response Domain registration Buy and manage domains 1.1.1.1 Free DNS resolver Resources Product guides Reference architectures Analyst reports Product demos and tours Help me choose Developers documentation Developer library Documentation and guides Application demos Explore what you can build Tutorials Step-by-step build tutorials Reference architecture Diagrams and design patterns Products Artificial Intelligence AI Gateway Observe, control AI apps Workers AI Run ML models on our network Compute Observability Logs, metrics, and traces Workers Build, deploy serverless apps Media Images Transform, optimize images Realtime Build real-time audio/video apps Storage & database D1 Create serverless SQL databases R2 Store data without costly egress fees Plans & Pricing Workers Build and deploy serverless apps Workers KV Serverless key-value store for apps R2 Store data without costly egrees fees Explore projects Customer stories AI Demo in 30 seconds Quick guide to get started Explore Workers Playground Build, test, and deploy Developers Discord Join the community Start building Partners Partner Network Grow, innovate and meet customer needs with Cloudflare Partner Portal Find resources and register deals Partnership Types PowerUP Program Grow your business while keeping your customers connected and secure Technology Partners Explore our ecosystem of technology partners and integrators Global System Integrators Support seamless large-scale digital transformation Service Providers Discover our network of valued service providers Self-serve agency program Manage Self-Serve Accounts for your clients Peer-to-peer portal Traffic insights for your network Find a partner PowerUP your business - connect with Cloudflare Powered+ partners. Resources Engage Demos + product tours On-demand product demos Case studies Driving success with Cloudflare Webinars Insightful discussions Workshops Virtual forums Library Helpful guides, roadmaps, and more Reports Insights from Cloudflare’s research Blog Technical deep dives and product news Learning center Educational tools and how-to content Build Reference architecture Technical guides Solution + product guides Product documentation Documentation Developer documentation Explore theNET Executive insights for the digital enterprise Cloudflare TV Innovative series and events Cloudforce One Threat research and operations Radar Internet traffic and security trends Analyst reports Industry research reports Events Upcoming regional events Trust, privacy, and compliance Compliance information and policies Support Contact us Community forum Lost account access? Developers Discord Get help Company Company info Leadership Meet our leaders Investor relations Investor information Press Explore recent news Careers Explore open roles Trust, Privacy, & Safety Privacy Policy, data, and protection Trust Policy, process, and safety Compliance Certification and regulation Transparency Policy and disclosures Public Interest Humanitarian Project Galileo Government Athenian Project Elections Cloudflare For Campaigns Health Project Fair Shot Global network Global locations and status Log in Under attack? Newsroom Newsroom Overview Recent news Press releases Awards Press kit Cloudflare Accelerates AI Agent Development With The Industry's First Remote MCP Server Cloudflare’s Developer Platform and global network are the best place to build and deploy AI agents, removing cost and complexity barriers to making AI agents a reality This Press Release is also available in 日本語 , 한국어 , Deutsch , Français , Español (Latinoamérica) , Nederlands . San Francisco, CA, April 7, 2025 – Cloudflare, Inc. (NYSE: NET), the leading connectivity cloud company, today announced several new offerings to accelerate the development of AI agents. Cloudflare now enables developers to easily build and deploy powerful AI agents with the industry’s first remote Model Context Protocol (MCP) server, generally available access to durable Workflows, and a free tier for Durable Objects. These offerings enable developers to build agents in minutes, rather than months, simply, affordably, and at scale. AI agents – AI-enabled systems that can act autonomously, make decisions, and adapt to changing environments – represent the future of AI. AI agents have the potential to unlock massive productivity gains, and yet businesses are struggling to build agents that deliver real return on investment. Building agents require access to three core components: AI models for reasoning, workflows for execution, and APIs for access to tools and services. In order to build scalable agentic systems, organizations need access to a platform that can provide each of these components in a scalable, cost-efficient way. “Cloudflare is the best place to build and scale AI agents. Period. The most innovative companies out there see that agents are the next big frontier in AI, and they’re choosing Cloudflare because we’ve got everything they need to move fast and build at scale on our Workers platform,” said Matthew Prince, co-founder and CEO of Cloudflare. “Cloudflare was built for this moment. First, we built the most interconnected network on the planet. Then, we built a developer platform that took advantage of that network to run code within 50 milliseconds of 95% of everyone online. And, we’re keeping our foot on the gas to give developers the best tools to build the future of agentic AI.” With today’s announcement, Cloudflare's Developer Platform addresses some of the most critical challenges in building AI agents by: Unlocking smart, autonomous actions with the industry’s first remote MCP server MCP is a fast-growing open source standard that lets AI agents interact directly with external services. This shifts AI from simply giving instructions to actually completing tasks on a user’s behalf – whether that’s sending an email, booking a meeting, or deploying code changes. Previously, MCP has been limited to running locally on a device, making it accessible to developers and early-adopters but hindering wider, mainstream adoption. Cloudflare is making it easy to build and deploy remote MCP servers on Cloudflare, so any AI agent can securely connect over the Internet and interact with services, like email, without the need for a locally hosted server. MCP servers built on Cloudflare can retain context, providing a persistent, ongoing experience for each user. And through partnerships with Auth0 , Stytch , and WorkOS , Cloudflare is simplifying authentication and authorization that allows users to delegate permissions to agents, making secure agent deployment dramatically simpler. Building intelligent, contextually aware AI agents with Durable Objects, now on free tier Previously only available as part of paid plans, developers can now access Durable Objects on Cloudflare’s free tier, expanding broad and democratized access to a critical component for building agents. Durable Objects are a special type of Cloudflare Worker that combines compute with storage, allowing you to build stateful applications in a serverless environment without managing infrastructure. Durable Objects provide the ideal foundation for AI agents that need to maintain context across interactions, such as remembering past preferences or changing behavior based on prior events. Cloudflare’s network ensures Durable Objects scale out to millions of simultaneous customer interactions and can operate agents near the original request, ensuring each customer has a fast, low latency response. Deploying durable, multi-step applications with Workflows, now generally available Workflows allow you to build multi-step applications that can automatically retry, persist, and run for minutes, hours, days, or weeks. Workflows is now generally available, providing developers and organizations with a reliable way to build and manage multi-step applications infused with AI. For example, building an agent Workflow to book a trip would require searching for flights in a price range, which would require a persistent search over a certain predetermined time span. Then, once the flights have been found, an agent would purchase the flights with traveler information and a credit card. And finally, send confirmation to each traveler in the party. Paying only for what you use, for the most cost-efficient AI deployment AI inference is hard to predict and inconsistent in nature, unlike training, because it relies on human behavior, including the time of day and what action a person wants to take. With traditional hyperscalers, this requires organizations to prepare and provision for the highest level of capacity they can expect, even if that level only happens at peak times. Cloudflare's serverless platform automatically scales inference and AI agent resources based on demand, from zero to global scale in milliseconds. This ensures organizations only pay for what they use, dramatically reducing costs compared to traditional cloud deployments that require constant provisioning. "Cloudflare offers a developer-friendly ecosystem for creating AI agents that includes a free tier for Durable Objects and serverless options for AI inference,” explains Kate Holterhoff, senior analyst at RedMonk. “These low-cost, easy-to-use options could empower more businesses to adopt and experiment with agentic AI." Cloudflare has been a leader in making AI inference accessible, breaking down barriers that have kept AI out of reach for most businesses. Cloudflare has GPUs deployed across more than 190 cities globally, bringing AI as close to the user as possible for low latency experiences. To learn more, please check out the resources below: Get started building at agents.cloudflare.com Blog : Piecing together the Agent puzzle: MCP, authentication & authorization, and Durable Objects free tier Blog: Cloudflare Workflows is now GA: production-ready durable execution About Cloudflare Cloudflare, Inc. (NYSE: NET) is the leading connectivity cloud company on a mission to help build a better Internet. It empowers organizations to make their employees, applications and networks faster and more secure everywhere, while reducing complexity and cost. Cloudflare’s connectivity cloud delivers the most full-featured, unified platform of cloud-native products and developer tools, so any organization can gain the control they need to work, develop, and accelerate their business. Powered by one of the world’s largest and most interconnected networks, Cloudflare blocks billions of threats online for its customers every day. It is trusted by millions of organizations – from the largest brands to entrepreneurs and small businesses to nonprofits, humanitarian groups, and governments across the globe. Learn more about Cloudflare’s connectivity cloud at cloudflare.com/connectivity-cloud . Learn more about the latest Internet trends and insights at https://radar.cloudflare.com . Follow us: Blog | X | LinkedIn | Facebook | Instagram Forward-Looking Statements This press release contains forward-looking statements within the meaning of Section 27A of the Securities Act of 1933, as amended, and Section 21E of the Securities Exchange Act of 1934, as amended, which statements involve substantial risks and uncertainties. In some cases, you can identify forward-looking statements because they contain words such as “may,” “will,” “should,” “expect,” “explore,” “plan,” “anticipate,” “could,” “intend,” “target,” “project,” “contemplate,” “believe,” “estimate,” “predict,” “potential,” or “continue,” or the negative of these words, or other similar terms or expressions that concern Cloudflare’s expectations, strategy, plans, or intentions. However, not all forward-looking statements contain these identifying words. Forward-looking statements expressed or implied in this press release include, but are not limited to, statements regarding the capabilities and effectiveness of Cloudflare’s Developer Platform and Cloudflare’s other products and technology, the benefits to Cloudflare’s customers from using Cloudflare’s Developer Platform and Cloudflare’s other products and technology, the potential opportunity for Cloudflare to attract additional customers and to expand sales to existing customers through Cloudflare’s partnerships with Auth0 and Stytch, Cloudflare’s technological development, future operations, growth, initiatives, or strategies, and comments made by Cloudflare’s CEO and others. Actual results could differ materially from those stated or implied in forward-looking statements due to a number of factors, including but not limited to, risks detailed in Cloudflare’s filings with the Securities and Exchange Commission (SEC), including Cloudflare’s Annual Report on Form 10-K filed on February 20, 2025, as well as other filings that Cloudflare may make from time to time with the SEC. The forward-looking statements made in this press release relate only to events as of the date on which the statements are made. Cloudflare undertakes no obligation to update any forward-looking statements made in this press release to reflect events or circumstances after the date of this press release or to reflect new information or the occurrence of unanticipated events, except as required by law. Cloudflare may not actually achieve the plans, intentions, or expectations disclosed in Cloudflare’s forward-looking statements, and you should not place undue reliance on Cloudflare’s forward-looking statements. © 2025 Cloudflare, Inc. All rights reserved. Cloudflare, the Cloudflare logo, and other Cloudflare marks are trademarks and/or registered trademarks of Cloudflare, Inc. in the U.S. and other jurisdictions. All other marks and names referenced herein may be trademarks of their respective owners. Press Contact Information Daniella Vallurupalli [email protected] +1 650-741-3104 GETTING STARTED Free plans Small business plans For enterprises Get a recommendation Request a demo Contact sales SOLUTIONS Connectivity cloud Application services SSE and SASE services Network services Developer platform SUPPORT Help center Customer support Community forum Developers Discord Lost account access? Cloudflare status COMPLIANCE Compliance resources Trust GDPR Responsible AI Transparency report Report abuse PUBLIC INTEREST Project Galileo Athenian Project Cloudflare for Campaigns Project Fairshot COMPANY About Cloudflare Network map Our team Logos & press kit Diversity, equity, & inclusion Impact/ESG GETTING STARTED Free plans Small business plans For enterprises Get a recommendation Request a demo Contact sales SOLUTIONS Connectivity cloud Application services SSE and SASE services Network services Developer platform SUPPORT Help center Customer support Community forum Developers Discord Lost account access? Cloudflare status COMPLIANCE Compliance resources Trust GDPR Responsible AI Transparency report Report abuse PUBLIC INTEREST Project Galileo Athenian Project Cloudflare for Campaigns Project Fairshot COMPANY About Cloudflare Network map Our team Logos & press kit Diversity, equity, & inclusion Impact/ESG © 2026 Cloudflare, Inc. Privacy Policy Terms of Use Report Security Issues Trademark
2026-01-13T08:49:37
https://www.suprsend.com/customers/how-crazygames-boosted-player-engagement-and-developer-retention-with-suprsend
How CrazyGames Boosted Player Engagement and Developer Retention with SuprSend Platform Workflows Craft notification workflows outside code Templates Powerful WYSIWYG template editors for all channels Analytics Get insights to improve notifications performance in one place Tenants Map your multi-tenant setup to scope notifications per tenant In-app Inbox Drop in a fully customizable, real-time inbox Preferences Allow users to decide which notifications they want to receive and on what channels Observability Get step-by-step detailed logs to debug faster Integrations Connect with the tools & providers you already use Solutions By Usecases Transactional Trigger real-time notifications based on user actions or system events Collaboration Notify users about mentions, comments, or shared activity Multi-tenant Customize templates, preferences & routing for each tenant Batching & Digest Group multiple updates into a single notification Scheduled Alerts Send timely notifications at fixed intervals or specific times Announcements / Newsletters Broadcast product updates or messages to all users Pricing Developers Documentation Quick Start Guides API References SuprSend CLI SDKs System Status Customers Resources Resources Blog Join our Slack Community Change logs Security Featured Blogs A complete guide on Notification Service for Modern Applications Build vs Buy For Notification Service Sign in Get a Demo Get Started How CrazyGames Boosted Player Engagement and Developer Retention with SuprSend Industry Gaming Based in Leuven, Belgium Business type B2C Deployment method Cloud Features used Preferences,Lists & Broadcast,Channel Routing Ready to start? Book a demo Challenge CrazyGames’ in-house notification system was rigid and engineering-heavy. Every template or workflow change took weeks, personalization hit limits, and a marketing tool they tried couldn’t handle real-time data, advanced segmentation, or true omnichannel journeys. Solution CrazyGames integrated SuprSend's multi-channel notification system along with Lists via database connector, enabling real-time cohorts built directly on their full customer 360° data. This allowed the product team to create, personalize, and iterate on campaigns quickly without engineering or data-sync overhead. Outcome CrazyGames can now launch new notifications and experiments within hours, not weeks. Product teams operate independently without waiting on engineering, and overall player reactivation and engagement improved. "I’d 100% advise product and engineering teams to go for SuprSend. The database connectivity, the omnichannel foundation, and the engineering-friendliness made all the difference to us." Jonas Boonen VP of Product, CrazyGames For a platform like CrazyGames with 45M+ monthly active users and 3,000 games live, keeping players engaged and developers informed is the real game. That’s where notifications come in. The right nudge at the right moment can mean the difference between a player drifting away or sticking around. SuprSend spoke with Jonas Boonen, VP of Product at CrazyGames, to understand how they are leveraging SuprSend to power their notifications. Engaging both players and developers with the right notifications CrazyGames runs a two-sided ecosystem: players looking for fun games to play, and developers looking for reach. Players Teens (13–20) are the biggest segment, mostly on mobile Casual vs. hardcore players with very different play patterns Logged-in vs. anonymous players Game Developers From solo hobbyists to global studios Need timely updates on revenue, platform changes, and marketing opportunities Keeping both sides engaged requires a steady stream of relevant, well-timed notifications. Here’s a quick snapshot of how CrazyGames uses notifications today: Notification Type Audience Channel(s) Purpose Email verification and password reset Players + Developers Email System Alerts Friend requests and invites Players Email + In-app Social + engagement Inactivity nudges (15+ days) Players Email + In-app Reactivation + feedback Product updates and event promos Players Email + In-app Adoption + engagement Feedback surveys Players Email + In-app Insights and awareness Developer updates (tech, product, marketing) Developers Email Community + retention Revenue and performance updates Developers Email Transparency + trust Breaking free from code-heavy systems Before SuprSend,CrazyGames relied on an in-house built notification system. Every notification change required developer time. "If you wanted it [template] slightly different, it took two weeks to get it live,” Jonas explained. “Templates stayed ugly for years, and new experiments rarely made the priority list." Jonas Boonen, VP of Product at CrazyGames Looking for more flexibility, the team tested a popular marketing automation tool. But it quickly ran into limitations: Database integration limits: All user activity, play history, and game recommendations had to be synced into the tool as user properties. Every new use case meant engineers sending new events, which made the setup too slow. Attribute restrictions: Game recommendations could only be passed as user properties — but there was a hard cap on the number of attributes they could sync. That meant personalization hit a ceiling. Omnichannel gaps: Email and push notifications were bolted together, not unified. Non-unified APIs created multiple profiles for the same user, leading to fragmented multi-channel experiences. Why SuprSend? Direct database sync = flexibility + speed With SuprSend, CrazyGames connected their database directly to the platform  to create dynamic lists. This surpassed limitations like exporting limited datasets or consistently syncing event pipelines. With SuprSend’s database connector, the teams could write SQL that queried their database in real time and generate user lists. No data duplication, no waiting on engineers to sync new properties, no silent pipeline failures. Their database remains the single source of truth—and whatever is needed on demand is fetched. This unlocked hyper-personalized templates, and experimentation without engineering bottlenecks. “We could plug our database directly into SuprSend. That meant we could make changes, add dynamic content, and set up new flows ourselves without waiting on engineering. In the past, even a small tweak took two weeks of dev time and a lot of back-and-forth. Now we can move fast and experiment freely.” Jonas Boonen, VP of Product at CrazyGames Built for omnichannel from day one Unlike competitors, SuprSend wasn’t all channels patched together as an after thought. It was omni-channel by design. “Truly omnichannel templates meant one unified workflow across email, on-site, or push. Anywhere in the workflow, you can test across channels. It’s all well thought through and works seamlessly.” Jonas Boonen, VP of Product at CrazyGames Personalization in action: Re-activation flows CrazyGames runs personalized re-activation campaigns that bring players back with game recommendations tailored to their history and preferences. The product team can directly tap into the freshest data and generate dynamic player lists on demand. If the product team wants to add a new property or run queries on a different field tomorrow, they don’t need to sync anything into SuprSend. The data continues to live in their own warehouse; SuprSend only fetches the final query output at send time. That’s the superpower — complex logic and new fields can be added instantly, without moving data.  “Now, we can handle pretty advanced use cases with ease. For example, in our reactivation flows, we’ve been able to test different templates for churned users: some get personalized game recommendations, some get a survey, and some even get a direct question from the CEO. Setting this up and running experiments is straightforward, and we can evaluate how each variation performs without involving engineers. It just takes a bit of creativity from the product team — but it’s completely doable, and that’s a huge plus.” Jonas Boonen, VP of Product at CrazyGames Here’s how the flow works: Data Sync The data team maintains a simple database containing: User IDs Recommended games Extra profile details (like playtime history). Smart Segmentation Rules ‍ The product team defined selectors to identify eligible users: Played at least 60 minutes in the last 90 days. Haven’t visited the site for the past 15 days. These rules are easy to tweak anytime without engineering support. Personalized Recommendations Once users qualify, they are added to a “reactivation list.” Each profile is enriched with three recommendation lanes: Most Played Games Most Popular Games Recently Popular Games A/B Testing via Random Groups To test different strategies, users are randomly split into four groups: No message sent (to set base case) CEO Mail – a personal note asking why they left Survey + Recommendations – request for feedback plus game suggestions Recommendations Only – three recommended games Dynamic Templates Each variant is powered by SuprSend’s WYSIWYG template editors. Example: The survey version includes a Typeform link + three personalized game suggestions pulled directly from the user’s database record with SQL. Monitoring & Analytics Inside SuprSend, the team tracks delivery and engagement at the notification level. Impact analysis, reactivation rates, and A/B performance are then measured in CrazyGames’ own analytics system, using the tagged user groups. The data is synced back into CrazyGames database with S3 sync. Smooth integration and faster iteration Implementation with SuprSend was quick and straightforward. “It took just a few weeks to switch over our first flows. No confusion, no blockers. SuprSend even built an Athena connector for us during the process so we could use the database sync.” Jonas Boonen, VP of Product at CrazyGames Today, even non-technical teams at CrazyGames run campaigns independently. Business Impact  Higher reactivation : players receiving nudges return more often. Smoother engagement : notifications feel natural, timely, and personal. Massive developer participation : monthly Game Jams now attract thousands of submissions — something engineering bandwidth couldn’t support before. For CrazyGames, SuprSend made notifications: Faster to launch (weeks → hours) More flexible (dynamic content, personalization) Truly omnichannel (email, on-site, push-ready) Business-friendly (non-technical teams self-serve) Adding Notifications shouldn’t take four weeks and two engineers. Notifications should be simple and with SuprSend, they are. Start now!  Other success stories This is some text inside of a div block. This is some text inside of a div block. Ready to transform your notifications? Join thousands of product & engineering teams using SuprSend to build & ship better notifications faster. Get Started for Free Book a Demo PLATFORM Workflows Templates Preferences Observability Analytics Preferences In-app Inbox Multi-tenant Integrations CHANNELS Email SMS Mobile Push Web Push Whatsapp In-app Inbox & Toasts Slack MS Teams SOLUTIONS Transactional Collaboration Batching/Digest Scheduled Alerts Multi-tenant Newsletters DEVELOPERS Documentation Changelogs SDKs Github API Status RESOURCES Join our Community Blog Customer Stories Support SMTP Error Codes Email Providers Comparisons SMS Providers Comparisons SMS Providers Alternatives COMPANY Pricing Terms Privacy Security Sub-processors DPA Contact Us SuprSend for Startups © 2025 SuprStack Inc. All rights reserved. SuprSend By clicking “Accept All Cookies” , you agree to the storing of cookies on your device to enhance site navigation, analyze site usage, and assist in our marketing efforts. View our Privacy Policy for more information. Preferences Deny Accept Privacy Preference Center When you visit websites, they may store or retrieve data in your browser. This storage is often necessary for the basic functionality of the website. The storage may be used for marketing, analytics, and personalization of the site, such as storing your preferences. Privacy is important to us, so you have the option of disabling certain types of storage that may not be necessary for the basic functioning of the website. Blocking categories may impact your experience on the website. Reject all cookies Allow all cookies Manage Consent Preferences by Category Essential Always Active These items are required to enable basic website functionality. Marketing Essential These items are used to deliver advertising that is more relevant to you and your interests. They may also be used to limit the number of times you see an advertisement and measure the effectiveness of advertising campaigns. Advertising networks usually place them with the website operator’s permission. Personalization Essential These items allow the website to remember choices you make (such as your user name, language, or the region you are in) and provide enhanced, more personal features. For example, a website may provide you with local weather reports or traffic news by storing data about your current location. Analytics Essential These items help the website operator understand how its website performs, how visitors interact with the site, and whether there may be technical issues. This storage type usually doesn’t collect information that identifies a visitor. Confirm my preferences and close
2026-01-13T08:49:37
https://www.fsf.org/share?u=https://www.fsf.org&t=Defend%20the%20rights%20of%20computer%20users.%20Learn%20more%20about%20free%20software%20and%20how%20to%20defend%20your%20%2523userfreedom%20%40fsf#content
— Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › share Info Help us raise awareness of free software within your social networks We recommend these sites because they follow ethical guidelines and respect their users. Sign up for an account on any instance of: Mastodon , and follow the FSF . PeerTube , and follow the FSF . GNU social You can also help us create awareness by sharing on: Hacker News Other popular sites for sharing news are a problem for technology users -- they are set up to lock users to their services and deny them basic privacy and autonomy, though on any such site, you may find free software supporters congregating in unofficial groups. It's important that we let people everywhere know about the importance of free software, so if you have an account on these sites, please help spread the word. Share on Facebook — What's wrong with Facebook? Share on X Share on Reddit Please don't let sharing important news about free software lead to further use of these sites. 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:37
https://githubstatus.com/
GitHub Status GitHub Octicon logo Help Community Status GitHub.com Subscribe to Updates Subscribe x Get email notifications whenever GitHub creates , updates or resolves an incident. Email address: Enter OTP: Resend OTP in: seconds Didn't receive the OTP? Resend OTP By subscribing you agree to our Privacy Policy . This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply. Get text message notifications whenever GitHub creates or resolves an incident. Country code: Afghanistan (+93) Albania (+355) Algeria (+213) American Samoa (+1) Andorra (+376) Angola (+244) Anguilla (+1) Antigua and Barbuda (+1) Argentina (+54) Armenia (+374) Aruba (+297) Australia/Cocos/Christmas Island (+61) Austria (+43) Azerbaijan (+994) Bahamas (+1) Bahrain (+973) Bangladesh (+880) Barbados (+1) Belarus (+375) Belgium (+32) Belize (+501) Benin (+229) Bermuda (+1) Bolivia (+591) Bosnia and Herzegovina (+387) Botswana (+267) Brazil (+55) Brunei (+673) Bulgaria (+359) Burkina Faso (+226) Burundi (+257) Cambodia (+855) Cameroon (+237) Canada (+1) Cape Verde (+238) Cayman Islands (+1) Central Africa (+236) Chad (+235) Chile (+56) China (+86) Colombia (+57) Comoros (+269) Congo (+242) Congo, Dem Rep (+243) Costa Rica (+506) Croatia (+385) Cyprus (+357) Czech Republic (+420) Denmark (+45) Djibouti (+253) Dominica (+1) Dominican Republic (+1) Egypt (+20) El Salvador (+503) Equatorial Guinea (+240) Estonia (+372) Ethiopia (+251) Faroe Islands (+298) Fiji (+679) Finland/Aland Islands (+358) France (+33) French Guiana (+594) French Polynesia (+689) Gabon (+241) Gambia (+220) Georgia (+995) Germany (+49) Ghana (+233) Gibraltar (+350) Greece (+30) Greenland (+299) Grenada (+1) Guadeloupe (+590) Guam (+1) Guatemala (+502) Guinea (+224) Guyana (+592) Haiti (+509) Honduras (+504) Hong Kong (+852) Hungary (+36) Iceland (+354) India (+91) Indonesia (+62) Iraq (+964) Ireland (+353) Israel (+972) Italy (+39) Jamaica (+1) Japan (+81) Jordan (+962) Kenya (+254) Korea, Republic of (+82) Kosovo (+383) Kuwait (+965) Kyrgyzstan (+996) Laos (+856) Latvia (+371) Lebanon (+961) Lesotho (+266) Liberia (+231) Libya (+218) Liechtenstein (+423) Lithuania (+370) Luxembourg (+352) Macao (+853) Macedonia (+389) Madagascar (+261) Malawi (+265) Malaysia (+60) Maldives (+960) Mali (+223) Malta (+356) Martinique (+596) Mauritania (+222) Mauritius (+230) Mexico (+52) Monaco (+377) Mongolia (+976) Montenegro (+382) Montserrat (+1) Morocco/Western Sahara (+212) Mozambique (+258) Namibia (+264) Nepal (+977) Netherlands (+31) New Zealand (+64) Nicaragua (+505) Niger (+227) Nigeria (+234) Norway (+47) Oman (+968) Pakistan (+92) Palestinian Territory (+970) Panama (+507) Paraguay (+595) Peru (+51) Philippines (+63) Poland (+48) Portugal (+351) Puerto Rico (+1) Qatar (+974) Reunion/Mayotte (+262) Romania (+40) Russia/Kazakhstan (+7) Rwanda (+250) Samoa (+685) San Marino (+378) Saudi Arabia (+966) Senegal (+221) Serbia (+381) Seychelles (+248) Sierra Leone (+232) Singapore (+65) Slovakia (+421) Slovenia (+386) South Africa (+27) Spain (+34) Sri Lanka (+94) St Kitts and Nevis (+1) St Lucia (+1) St Vincent Grenadines (+1) Sudan (+249) Suriname (+597) Swaziland (+268) Sweden (+46) Switzerland (+41) Taiwan (+886) Tajikistan (+992) Tanzania (+255) Thailand (+66) Togo (+228) Tonga (+676) Trinidad and Tobago (+1) Tunisia (+216) Turkey (+90) Turks and Caicos Islands (+1) Uganda (+256) Ukraine (+380) United Arab Emirates (+971) United Kingdom (+44) United States (+1) Uruguay (+598) Uzbekistan (+998) Venezuela (+58) Vietnam (+84) Virgin Islands, British (+1) Virgin Islands, U.S. (+1) Yemen (+967) Zambia (+260) Zimbabwe (+263) Phone number: Change number Enter OTP: Resend OTP in: 30 seconds Didn't receive the OTP? Resend OTP Message and data rates may apply. By subscribing you agree to our Privacy Policy , the Atlassian Terms of Service , and the Atlassian Privacy Policy . This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply. Get incident updates and maintenance status messages in Slack. Subscribe via Slack By subscribing you acknowledge our Privacy Policy . In addition, you agree to the Atlassian Cloud Terms of Service and acknowledge Atlassian's Privacy Policy . Get webhook notifications whenever GitHub creates an incident, updates an incident, resolves an incident or changes a component status. Webhook URL: The URL we should send the webhooks to Email address: We'll send you email if your endpoint fails By subscribing you agree to our Privacy Policy . This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply. Follow @githubstatus or  view our profile . Visit our support site . Get the Atom Feed or RSS Feed . All Systems Operational About This Site Check GitHub Enterprise Cloud status by region: - Australia: au.githubstatus.com - EU: eu.githubstatus.com - Japan: jp.githubstatus.com - US: us.githubstatus.com Git Operations ? Operational Webhooks ? Operational Visit www.githubstatus.com for more information Operational API Requests ? Operational Issues ? Operational Pull Requests ? Operational Actions ? Operational Packages ? Operational Pages ? Operational Codespaces ? Operational Copilot Operational Operational Degraded Performance Partial Outage Major Outage Maintenance Past Incidents Jan 13 , 2026 No incidents reported today. Jan 12 , 2026 Disruption with some GitHub services Resolved - This incident has been resolved. Thank you for your patience and understanding as we addressed this issue. A detailed root cause analysis will be shared as soon as it is available. Jan 12 , 10:17 UTC Update - Actions jobs that use custom Linux images are failing to start. We've identified the underlying issue and are working on mitigation. Jan 12 , 10:09 UTC Update - Actions is experiencing degraded performance. We are continuing to investigate. Jan 12 , 10:06 UTC Investigating - We are investigating reports of impacted performance for some GitHub services. Jan 12 , 10:02 UTC Jan 11 , 2026 No incidents reported. Jan 10 , 2026 Disruption with some GitHub services Resolved - From January 5, 2026, 00:00 UTC to January 10, 2026, 02:30 UTC, customers using the AI Controls public preview feature experienced delays in viewing Copilot agent session data. Newly created sessions took progressively longer to appear, initially hours, then eventually exceeding 24 hours. Since the page displays only the most recent 24 hours of activity, once processing delays exceeded this threshold, no recent data was visible. Session data remained available in audit logs throughout the incident. Inefficient database queries in the data processing pipeline caused significant processing latency, creating a multi-day backlog. As the backlog grew, the delay between when sessions occurred and when they appeared on the page increased, eventually exceeding the 24-hour display window. The issue was resolved on January 10, 2026, 02:30 UTC, after query optimizations and a database index were deployed. We are implementing enhanced monitoring and automated testing to detect inefficient queries before deployment to prevent recurrence. Jan 10 , 02:33 UTC Update - Our queue has cleared. The last 24 hours of agent session history should now be visible on the AI Controls UI. No data was lost due to this incident. Jan 10 , 02:33 UTC Update - We estimate the backlogged queue will take 3 hours to process. We will post another update once it is completed, or if anything changes with the recovery process. Jan 9 , 23:56 UTC Update - We have deployed an additional fix and are beginning to see recovery to the queue preventing AI Sessions from showing in the AI Controls UI. We are working on an estimate for when the queue will be fully processed, and will post another update once we have that information. Jan 9 , 23:44 UTC Update - We are seeing delays processing the AI Session event queue, which is causing sessions to not be displayed on the AI Controls UI. We have deployed a fix to improve the queue processing and are monitoring for effectiveness. We continue to investigate other mitigation paths. Jan 9 , 22:41 UTC Update - We continue to investigate the problem with Copilot agent sessions not rendering in AI Controls. Jan 9 , 21:36 UTC Update - We continue to investigate the problem with Copilot agent sessions not rendering in ai controls. Jan 9 , 21:08 UTC Update - We continue to investigate the problem with Copilot agent sessions not rendering in ai controls. Jan 9 , 20:07 UTC Update - We continue to investigate the problem with Copilot agent sessions not rendering in ai controls. Jan 9 , 19:35 UTC Update - We continue to investigate the problem with Copilot agent sessions not rendering in ai controls. Jan 9 , 19:02 UTC Update - We continue to investigate the problem with Copilot agent sessions not rendering in ai controls. Jan 9 , 18:39 UTC Update - Agent Session activity is still observable in audit logs, and this only impacts the AI Controls UI. Jan 9 , 18:08 UTC Update - We are investigating an incident affecting missing Agent Session data on the AI Settings page on Agent Control Plane. Jan 9 , 17:57 UTC Investigating - We are investigating reports of impacted performance for some GitHub services. Jan 9 , 17:53 UTC Jan 9 , 2026 Jan 8 , 2026 Incident with Copilot Resolved - On January 8th, 2025, between approximately 00:00 and 1:30 UTC, the Copilot service experienced a degradation of the Grok Code Fast 1 model due to an issue with our upstream provider. Users encountered elevated error rates when using Grok Code Fast 1. Approximately 4.5% of requests failed across all users during this time. No other models were impacted. The issue was resolved by a mitigation put in place by our provider. Jan 8 , 01:32 UTC Update - The issues with our upstream model provider have been resolved, and Grok Code Fast 1 is once again available in Copilot Chat and across IDE integrations. We will continue monitoring to ensure stability, but mitigation is complete. Jan 8 , 01:31 UTC Update - We are experiencing degraded availability for the Grok Code Fast 1 model in Copilot Chat, VS Code and other Copilot products. This is due to an issue with an upstream model provider. We are working with them to resolve the issue. Other models are available and working as expected. Jan 8 , 00:45 UTC Investigating - We are investigating reports of degraded performance for Copilot Jan 8 , 00:45 UTC Jan 7 , 2026 Some models missing in Copilot Resolved - This incident has been resolved. Thank you for your patience and understanding as we addressed this issue. A detailed root cause analysis will be shared as soon as it is available. Jan 7 , 21:07 UTC Update - We have implemented a mitigation and confirmed that Copilot Pro and Business accounts now have access to the previously missing models. We will continue monitoring to ensure complete resolution. Jan 7 , 19:43 UTC Update - We continue to investigate. We'll post another update by 19:50 UTC. Jan 7 , 19:29 UTC Update - Correction - Copilot Pro and Business users are impacted. Copilot Pro+ and Enterprise users are not impacted. Jan 7 , 19:10 UTC Update - We continue to investigate this problem and have confirmed only Copilot Business users are impacted. We'll post another update by 19:30 UTC. Jan 7 , 19:06 UTC Update - We are currently investigating reports of some Copilot Pro premium models including Opus and GPT 5.2 being unavailable in Copilot products. We'll post another update by 19:08 UTC. Jan 7 , 18:44 UTC Update - We have received reports that some expected models are missing from VSCode and other products using Copilot. We are investigating the cause of this to restore access. Jan 7 , 18:33 UTC Investigating - We are investigating reports of degraded performance for Copilot Jan 7 , 18:32 UTC Jan 6 , 2026 Incident with Actions Resolved - On January 6, 2026 between 12:55 UTC and 17:04 UTC, the ability to download Actions artifacts from GitHub’s web interface was degraded. During this time, all attempts to download artifacts from the web interface failed. Artifact downloads via the REST API and GitHub CLI were unaffected. This was due to a client-side change that was deployed to optimize performance when navigating between pages in a repository. We mitigated the incident by reverting the change. We are working to improve testing of related changes and to add monitoring coverage for artifact downloads through the web interface to reduce our time to detection and prevent similar incidents from occurring in the future. Jan 6 , 17:06 UTC Update - We are investigating issues downloading artifacts from Actions workflows. All customers are affected when attempting to download through the web interface. We're actively working on a fix and will post another update by 17:15 UTC. Jan 6 , 16:44 UTC Investigating - We are investigating reports of degraded performance for Actions Jan 6 , 16:41 UTC Incident with Copilot Resolved - On January 6th, 2026, between approximately 8:41 and 10:07 UTC, the Copilot service experienced a degradation of the GPT-5.1-Codex-Max model due to an issue with our upstream provider. During this time, up to 14.17% of requests to GPT-5.1-Codex-Max failed. No other models were impacted. The issue was resolved by a mitigation put in place by our provider. GitHub is working with our provider to further improve the resiliency of the service to prevent similar incidents in the future. Jan 6 , 10:08 UTC Update - The issues with our upstream model provider have been resolved, and GPT-5.1-Codex-Max is once again available. We will continue monitoring to ensure stability. Jan 6 , 10:07 UTC Update - We are experiencing degraded availability for the GPT-5.1-Codex-Max model in Copilot Chat, VS Code and other Copilot products. This is due to an issue with an upstream model provider. We are working with them to resolve the issue. Other models are available and working as expected. Jan 6 , 09:03 UTC Investigating - We are investigating reports of degraded performance for Copilot Jan 6 , 08:56 UTC Jan 5 , 2026 No incidents reported. Jan 4 , 2026 No incidents reported. Jan 3 , 2026 No incidents reported. Jan 2 , 2026 No incidents reported. Jan 1 , 2026 Disruption with some GitHub services Resolved - On December 31, 2025, between 04:00 UTC and 22:31 UTC, all users visiting https://github.com/features/copilot were unable to load the page and were instead redirected to an error page. The issue was caused by an unexpected content change that resulted in page rendering errors. We mitigated the incident by reverting the change, which restored normal page behavior. To reduce the likelihood and duration of similar issues in the future, we are improving monitoring and alerting for increased error rates on this page and similar pages, and strengthening validation and safeguards around content updates to prevent unexpected changes from causing user-facing errors. Jan 1 , 22:31 UTC Update - Our Copilot feature page ( https://github.com/features/copilot ) is returning 500s. We are currently investigating. This does not impact the core GitHub application. Jan 1 , 21:24 UTC Investigating - We are investigating reports of impacted performance for some GitHub services. Jan 1 , 21:24 UTC Dec 31 , 2025 No incidents reported. Dec 30 , 2025 No incidents reported. ← Incident History Powered by Atlassian Statuspage GitHub text logo Subscribe to our developer newsletter Get tips, technical guides, and best practices. Twice a month. Right in your inbox. Subscribe Product Features Enterprise Copilot Security Pricing Team Resources Roadmap Compare GitHub Platform Developer API Partners Education GitHub CLI GitHub Desktop GitHub Mobile Support Docs Community Forum Professional Services Skills Contact GitHub Company About Customer stories Blog The ReadME Project Careers Newsroom Inclusion Social Impact Shop © GitHub, Inc. Terms Privacy ( Updated 08/2022 ) GitHub X GitHub Facebook GitHub LinkedIn GitHub YouTube Twitch TikTok GitHub.com
2026-01-13T08:49:37
https://www.cloudflare.com/press-releases/2025/cloudflare-accelerates-ai-agent-development-remote-mcp/#:~:text=Cloudflare%20is%20making%20it%20easy,And%20through%20partnerships%20with%20Auth0
Cloudflare Accelerates AI Agent Development With The Industry's First Remote MCP Server | Cloudflare Support Languages English English (United Kingdom) Deutsch Español (Latinoamérica) Español (España) Français Italiano 日本語 한국어 Polski Português (Brasil) Русский 繁體中文 简体中文 Platform Connectivity cloud Cloudflare’s connectivity cloud delivers 60+ networking, security, and performance services. Enterprise For large and medium organizations Small business For small organizations Partner Become a Cloudflare partner use cases Modernize applications Accelerate performance Ensure app availability Optimize web experience Modernize security VPN replacement Phishing protection Secure web apps and APIs Modernize networks Coffee shop networking WAN modernization Simplify your corporate network CxO topics Adopt AI Bring AI into workforces and digital experiences AI security Secure agentic AI and GenAI applications Data compliance Streamline compliance and minimize risk Post-quantum cryptography Safeguard data and meet compliance standards Industries Healthcare Banking Retail Gaming Public sector Resources Product guides Reference architectures Analyst reports Engage Events Demos Webinars Workshops Request a demo Products products Workspace security Zero trust network access Secure web gateway Email security Cloud access security broker Application security L7 DDoS protection Web application firewall API security Bot management Application performance CDN DNS Smart routing Load balancing Networking and SASE L3/4 DDoS protection NaaS / SD-WAN Firewall-as-a-service Network Interconnect plans & pricing Enterprise plans Small business plans Individual plans Compare plans Global services Support and success bundles Optimized Cloudflare experience Professional services Expert-led implementation Technical account management Focused technical management Security operations service Cloudflare monitoring and response Domain registration Buy and manage domains 1.1.1.1 Free DNS resolver Resources Product guides Reference architectures Analyst reports Product demos and tours Help me choose Developers documentation Developer library Documentation and guides Application demos Explore what you can build Tutorials Step-by-step build tutorials Reference architecture Diagrams and design patterns Products Artificial Intelligence AI Gateway Observe, control AI apps Workers AI Run ML models on our network Compute Observability Logs, metrics, and traces Workers Build, deploy serverless apps Media Images Transform, optimize images Realtime Build real-time audio/video apps Storage & database D1 Create serverless SQL databases R2 Store data without costly egress fees Plans & Pricing Workers Build and deploy serverless apps Workers KV Serverless key-value store for apps R2 Store data without costly egrees fees Explore projects Customer stories AI Demo in 30 seconds Quick guide to get started Explore Workers Playground Build, test, and deploy Developers Discord Join the community Start building Partners Partner Network Grow, innovate and meet customer needs with Cloudflare Partner Portal Find resources and register deals Partnership Types PowerUP Program Grow your business while keeping your customers connected and secure Technology Partners Explore our ecosystem of technology partners and integrators Global System Integrators Support seamless large-scale digital transformation Service Providers Discover our network of valued service providers Self-serve agency program Manage Self-Serve Accounts for your clients Peer-to-peer portal Traffic insights for your network Find a partner PowerUP your business - connect with Cloudflare Powered+ partners. Resources Engage Demos + product tours On-demand product demos Case studies Driving success with Cloudflare Webinars Insightful discussions Workshops Virtual forums Library Helpful guides, roadmaps, and more Reports Insights from Cloudflare’s research Blog Technical deep dives and product news Learning center Educational tools and how-to content Build Reference architecture Technical guides Solution + product guides Product documentation Documentation Developer documentation Explore theNET Executive insights for the digital enterprise Cloudflare TV Innovative series and events Cloudforce One Threat research and operations Radar Internet traffic and security trends Analyst reports Industry research reports Events Upcoming regional events Trust, privacy, and compliance Compliance information and policies Support Contact us Community forum Lost account access? Developers Discord Get help Company Company info Leadership Meet our leaders Investor relations Investor information Press Explore recent news Careers Explore open roles Trust, Privacy, & Safety Privacy Policy, data, and protection Trust Policy, process, and safety Compliance Certification and regulation Transparency Policy and disclosures Public Interest Humanitarian Project Galileo Government Athenian Project Elections Cloudflare For Campaigns Health Project Fair Shot Global network Global locations and status Log in Under attack? Newsroom Newsroom Overview Recent news Press releases Awards Press kit Cloudflare Accelerates AI Agent Development With The Industry's First Remote MCP Server Cloudflare’s Developer Platform and global network are the best place to build and deploy AI agents, removing cost and complexity barriers to making AI agents a reality This Press Release is also available in 日本語 , 한국어 , Deutsch , Français , Español (Latinoamérica) , Nederlands . San Francisco, CA, April 7, 2025 – Cloudflare, Inc. (NYSE: NET), the leading connectivity cloud company, today announced several new offerings to accelerate the development of AI agents. Cloudflare now enables developers to easily build and deploy powerful AI agents with the industry’s first remote Model Context Protocol (MCP) server, generally available access to durable Workflows, and a free tier for Durable Objects. These offerings enable developers to build agents in minutes, rather than months, simply, affordably, and at scale. AI agents – AI-enabled systems that can act autonomously, make decisions, and adapt to changing environments – represent the future of AI. AI agents have the potential to unlock massive productivity gains, and yet businesses are struggling to build agents that deliver real return on investment. Building agents require access to three core components: AI models for reasoning, workflows for execution, and APIs for access to tools and services. In order to build scalable agentic systems, organizations need access to a platform that can provide each of these components in a scalable, cost-efficient way. “Cloudflare is the best place to build and scale AI agents. Period. The most innovative companies out there see that agents are the next big frontier in AI, and they’re choosing Cloudflare because we’ve got everything they need to move fast and build at scale on our Workers platform,” said Matthew Prince, co-founder and CEO of Cloudflare. “Cloudflare was built for this moment. First, we built the most interconnected network on the planet. Then, we built a developer platform that took advantage of that network to run code within 50 milliseconds of 95% of everyone online. And, we’re keeping our foot on the gas to give developers the best tools to build the future of agentic AI.” With today’s announcement, Cloudflare's Developer Platform addresses some of the most critical challenges in building AI agents by: Unlocking smart, autonomous actions with the industry’s first remote MCP server MCP is a fast-growing open source standard that lets AI agents interact directly with external services. This shifts AI from simply giving instructions to actually completing tasks on a user’s behalf – whether that’s sending an email, booking a meeting, or deploying code changes. Previously, MCP has been limited to running locally on a device, making it accessible to developers and early-adopters but hindering wider, mainstream adoption. Cloudflare is making it easy to build and deploy remote MCP servers on Cloudflare, so any AI agent can securely connect over the Internet and interact with services, like email, without the need for a locally hosted server. MCP servers built on Cloudflare can retain context, providing a persistent, ongoing experience for each user. And through partnerships with Auth0 , Stytch , and WorkOS , Cloudflare is simplifying authentication and authorization that allows users to delegate permissions to agents, making secure agent deployment dramatically simpler. Building intelligent, contextually aware AI agents with Durable Objects, now on free tier Previously only available as part of paid plans, developers can now access Durable Objects on Cloudflare’s free tier, expanding broad and democratized access to a critical component for building agents. Durable Objects are a special type of Cloudflare Worker that combines compute with storage, allowing you to build stateful applications in a serverless environment without managing infrastructure. Durable Objects provide the ideal foundation for AI agents that need to maintain context across interactions, such as remembering past preferences or changing behavior based on prior events. Cloudflare’s network ensures Durable Objects scale out to millions of simultaneous customer interactions and can operate agents near the original request, ensuring each customer has a fast, low latency response. Deploying durable, multi-step applications with Workflows, now generally available Workflows allow you to build multi-step applications that can automatically retry, persist, and run for minutes, hours, days, or weeks. Workflows is now generally available, providing developers and organizations with a reliable way to build and manage multi-step applications infused with AI. For example, building an agent Workflow to book a trip would require searching for flights in a price range, which would require a persistent search over a certain predetermined time span. Then, once the flights have been found, an agent would purchase the flights with traveler information and a credit card. And finally, send confirmation to each traveler in the party. Paying only for what you use, for the most cost-efficient AI deployment AI inference is hard to predict and inconsistent in nature, unlike training, because it relies on human behavior, including the time of day and what action a person wants to take. With traditional hyperscalers, this requires organizations to prepare and provision for the highest level of capacity they can expect, even if that level only happens at peak times. Cloudflare's serverless platform automatically scales inference and AI agent resources based on demand, from zero to global scale in milliseconds. This ensures organizations only pay for what they use, dramatically reducing costs compared to traditional cloud deployments that require constant provisioning. "Cloudflare offers a developer-friendly ecosystem for creating AI agents that includes a free tier for Durable Objects and serverless options for AI inference,” explains Kate Holterhoff, senior analyst at RedMonk. “These low-cost, easy-to-use options could empower more businesses to adopt and experiment with agentic AI." Cloudflare has been a leader in making AI inference accessible, breaking down barriers that have kept AI out of reach for most businesses. Cloudflare has GPUs deployed across more than 190 cities globally, bringing AI as close to the user as possible for low latency experiences. To learn more, please check out the resources below: Get started building at agents.cloudflare.com Blog : Piecing together the Agent puzzle: MCP, authentication & authorization, and Durable Objects free tier Blog: Cloudflare Workflows is now GA: production-ready durable execution About Cloudflare Cloudflare, Inc. (NYSE: NET) is the leading connectivity cloud company on a mission to help build a better Internet. It empowers organizations to make their employees, applications and networks faster and more secure everywhere, while reducing complexity and cost. Cloudflare’s connectivity cloud delivers the most full-featured, unified platform of cloud-native products and developer tools, so any organization can gain the control they need to work, develop, and accelerate their business. Powered by one of the world’s largest and most interconnected networks, Cloudflare blocks billions of threats online for its customers every day. It is trusted by millions of organizations – from the largest brands to entrepreneurs and small businesses to nonprofits, humanitarian groups, and governments across the globe. Learn more about Cloudflare’s connectivity cloud at cloudflare.com/connectivity-cloud . Learn more about the latest Internet trends and insights at https://radar.cloudflare.com . Follow us: Blog | X | LinkedIn | Facebook | Instagram Forward-Looking Statements This press release contains forward-looking statements within the meaning of Section 27A of the Securities Act of 1933, as amended, and Section 21E of the Securities Exchange Act of 1934, as amended, which statements involve substantial risks and uncertainties. In some cases, you can identify forward-looking statements because they contain words such as “may,” “will,” “should,” “expect,” “explore,” “plan,” “anticipate,” “could,” “intend,” “target,” “project,” “contemplate,” “believe,” “estimate,” “predict,” “potential,” or “continue,” or the negative of these words, or other similar terms or expressions that concern Cloudflare’s expectations, strategy, plans, or intentions. However, not all forward-looking statements contain these identifying words. Forward-looking statements expressed or implied in this press release include, but are not limited to, statements regarding the capabilities and effectiveness of Cloudflare’s Developer Platform and Cloudflare’s other products and technology, the benefits to Cloudflare’s customers from using Cloudflare’s Developer Platform and Cloudflare’s other products and technology, the potential opportunity for Cloudflare to attract additional customers and to expand sales to existing customers through Cloudflare’s partnerships with Auth0 and Stytch, Cloudflare’s technological development, future operations, growth, initiatives, or strategies, and comments made by Cloudflare’s CEO and others. Actual results could differ materially from those stated or implied in forward-looking statements due to a number of factors, including but not limited to, risks detailed in Cloudflare’s filings with the Securities and Exchange Commission (SEC), including Cloudflare’s Annual Report on Form 10-K filed on February 20, 2025, as well as other filings that Cloudflare may make from time to time with the SEC. The forward-looking statements made in this press release relate only to events as of the date on which the statements are made. Cloudflare undertakes no obligation to update any forward-looking statements made in this press release to reflect events or circumstances after the date of this press release or to reflect new information or the occurrence of unanticipated events, except as required by law. Cloudflare may not actually achieve the plans, intentions, or expectations disclosed in Cloudflare’s forward-looking statements, and you should not place undue reliance on Cloudflare’s forward-looking statements. © 2025 Cloudflare, Inc. All rights reserved. Cloudflare, the Cloudflare logo, and other Cloudflare marks are trademarks and/or registered trademarks of Cloudflare, Inc. in the U.S. and other jurisdictions. All other marks and names referenced herein may be trademarks of their respective owners. Press Contact Information Daniella Vallurupalli [email protected] +1 650-741-3104 GETTING STARTED Free plans Small business plans For enterprises Get a recommendation Request a demo Contact sales SOLUTIONS Connectivity cloud Application services SSE and SASE services Network services Developer platform SUPPORT Help center Customer support Community forum Developers Discord Lost account access? Cloudflare status COMPLIANCE Compliance resources Trust GDPR Responsible AI Transparency report Report abuse PUBLIC INTEREST Project Galileo Athenian Project Cloudflare for Campaigns Project Fairshot COMPANY About Cloudflare Network map Our team Logos & press kit Diversity, equity, & inclusion Impact/ESG GETTING STARTED Free plans Small business plans For enterprises Get a recommendation Request a demo Contact sales SOLUTIONS Connectivity cloud Application services SSE and SASE services Network services Developer platform SUPPORT Help center Customer support Community forum Developers Discord Lost account access? Cloudflare status COMPLIANCE Compliance resources Trust GDPR Responsible AI Transparency report Report abuse PUBLIC INTEREST Project Galileo Athenian Project Cloudflare for Campaigns Project Fairshot COMPANY About Cloudflare Network map Our team Logos & press kit Diversity, equity, & inclusion Impact/ESG © 2026 Cloudflare, Inc. Privacy Policy Terms of Use Report Security Issues Trademark
2026-01-13T08:49:37
https://popcorn.forem.com/new/3d
New Post - Popcorn Movies and TV 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 Popcorn Movies and TV Close Join the Popcorn Movies and TV Popcorn Movies and TV is a community of 3,676,891 amazing enthusiasts 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 Popcorn Movies and TV? 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 Popcorn Movies and TV — Movie and TV enthusiasm, criticism and everything in-between. Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Popcorn Movies and TV © 2016 - 2026. Let's watch something great! Log in Create account
2026-01-13T08:49:37
https://vibe.forem.com/privacy#6-international-data-transfers
Privacy Policy - Vibe Coding 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 Vibe Coding Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy.  They're called "defined terms," and we use them so that we don't have to repeat the same language again and again.  They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws.  8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:38
https://www.fsf.org/share?u=https://www.fsf.org&t=Defend%20the%20rights%20of%20computer%20users.%20Learn%20more%20about%20free%20software%20and%20how%20to%20defend%20your%20%2523userfreedom%20%40fsf#sitemap-2
— Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › share Info Help us raise awareness of free software within your social networks We recommend these sites because they follow ethical guidelines and respect their users. Sign up for an account on any instance of: Mastodon , and follow the FSF . PeerTube , and follow the FSF . GNU social You can also help us create awareness by sharing on: Hacker News Other popular sites for sharing news are a problem for technology users -- they are set up to lock users to their services and deny them basic privacy and autonomy, though on any such site, you may find free software supporters congregating in unofficial groups. It's important that we let people everywhere know about the importance of free software, so if you have an account on these sites, please help spread the word. Share on Facebook — What's wrong with Facebook? Share on X Share on Reddit Please don't let sharing important news about free software lead to further use of these sites. 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:38
https://www.suprsend.com/customers/how-artwork-flow-increased-their-product-usage-through-well-designed-collaboration-notifications
How Artwork Flow Increased Their Product Usage through Well-designed Collaboration Notifications? Platform Workflows Craft notification workflows outside code Templates Powerful WYSIWYG template editors for all channels Analytics Get insights to improve notifications performance in one place Tenants Map your multi-tenant setup to scope notifications per tenant In-app Inbox Drop in a fully customizable, real-time inbox Preferences Allow users to decide which notifications they want to receive and on what channels Observability Get step-by-step detailed logs to debug faster Integrations Connect with the tools & providers you already use Solutions By Usecases Transactional Trigger real-time notifications based on user actions or system events Collaboration Notify users about mentions, comments, or shared activity Multi-tenant Customize templates, preferences & routing for each tenant Batching & Digest Group multiple updates into a single notification Scheduled Alerts Send timely notifications at fixed intervals or specific times Announcements / Newsletters Broadcast product updates or messages to all users Pricing Developers Documentation Quick Start Guides API References SuprSend CLI SDKs System Status Customers Resources Resources Blog Join our Slack Community Change logs Security Featured Blogs A complete guide on Notification Service for Modern Applications Build vs Buy For Notification Service Sign in Get a Demo Get Started How Artwork Flow Increased Their Product Usage through Well-designed Collaboration Notifications? Industry Printing & Packaging Based in New York, USA Business type B2B Deployment method Cloud Features used Preferences,In-app Inbox,Multi-tenant Ready to start? Book a demo Challenge Artwork Flow encountered challenges with managing multi-tenancy in notifications, leading to delays in onboarding and customer dissatisfaction. The shortcomings of their original notification system, based on code, resulted in time-consuming interactions between engineering and product teams. Solution Artwork Flow implemented SuprSend Node & React SDK, streamlining their notification process. They quickly implemented emails, in-app-inbox notifications, and Slack. They also implemented a notification preference center for their customers. Outcome Customer onboarding time & engagement improved with a flexible notification system, saving 200+ engineering hours that would have been spent on building and customization in code. Preferences management eased notification overload, providing flexibility to customers and freeing engineering resources. "SuprSend's in-app inbox, preferences, & workflow engine allow us to effortlessly trigger customer-first notifications. It's now a critical part of our core infrastructure." Manish Gautam Senior Product Manager, Esko Artwork Flow is an AI-powered creative management platform designed to cater to the needs of creative teams and businesses, both big and small. Think of it as an all-in-one solution that combines workflow management, proofing, digital asset management, brand asset management, and a creative studio. Artwork Flow helps companies simplify artwork and labeling management, reduce errors, and boost collaboration. Now, when you've got various departments involved in creative projects, you need a way to keep them all on the same page. From the simplest task assignments to the intricate cross-user activities, well-timed and well-designed notifications are the glue that holds it all together. As Artwork Flow set its sights on becoming the go-to creative management solution, one challenge loomed large: how to craft a notification system as dynamic as the creative process itself, something that could scale seamlessly with their ambitions. This is where SuprSend entered the picture, bringing the magic of real-time notifications to the canvas of creativity management. What Artwork Flow Needed in their Notification System Initially, Artwork Flow had a basic notification setup led by their engineering team. It relied on account-based notifications, where engineers coded HTML email templates. These templates were then reviewed by the product team, and AWS SES was used to send out these email notifications. This process involved a lot of back-and-forth communication between the developers and product teams, which unfortunately led to longer delivery of notifications, contrary to the customers' expectation of quicker turnaround. As customer demands for customized notifications grew, Artwork Flow recognized the need for a more robust notification infrastructure. Their requirements were straightforward: Low latency with high performance & scalability Product teams have observability and control Preference management system for account admins and individual users Native in-app-inbox notifications Modern collaboration channels like Slack and Teams (in pipeline) Environment-controlled workspaces (staging, production) Artwork Flow sends these types of notifications: Notification Use-Case Project Status related Project start, project end, project completion, project pending, new task assigned Cross-user activity Approval required, someone commented, collaboration needed Escalation activity (esp for project managers/ admins) Deadline passed, project deadline approaching System notifications New update, feature rollout Custom Notifications Customer created workflow notifications Integrating with SuprSend’s Notification Infrastructure Quick onboarding and scalability As Artwork Flow's customer base continued to grow, and their product vision aimed for the stars, they sought a swift transition to SuprSend, which we provided with SuprSend’s SDKs.  In no time, they had their app-inbox up and running alongside their email setup, significantly boosting user engagement. Additionally, they plan to integrate Slack & Teams to improve user engagement in coming times. "Initially, we never thought of creating customized notifications specific to our account. Now, these are just as important as any feature you can see in the UI. We've configured many notifications behind the scenes, all tailored to our customers, saving us significant time compared to traditional methods, all using SuprSend’s API.’" Manish, Senior PM at Artwork Flow by Esko With the rapid notification setup, Artwork Flow reduced delivery timelines by half. The introduction of a flexible notification system enabled them to efficiently create, test, and iterate notifications across various channels. Maintenance and customization tasks could be conveniently managed through the dashboard, resulting in over 200+ hours of saved engineering time. Their customers got control With SuprSend's multi-tenant notification architecture, Artwork Flow’s product team could configure notification preference rules, craft branded notifications, and orchestrate cross-user alerts tailored to each customer's specific needs. "The admin can create custom creative management workflows, including custom notifications which can be placed at different steps of the workflow (could be as high as 90 steps). By default, we provide some predefined basic content and a descriptive customizable space for users to add their custom information (like description, project metadata, etc). Additionally, admins can also choose whether to include detailed versions of notifications in emails by toggling it on or off. This flexibility prevents team members from experiencing notification fatigue by enabling them to skip lengthy email notifications they may not wish to read." Manish, Senior PM at Artwork Flow by Esko Most of Artwork Flow’s customers were deeply involved in creating collaborative workflows, relying on cross-user notifications throughout their workflows and escalation processes. With SuprSend's comprehensive APIs, Artwork Flow embedded these functionalities into their workflow modules, where their customers directly defined new notifications along with customization in the content. Moreover, Artwork Flow's engineering team found newfound freedom. Tasks such as maintaining multi-tenant templates, integrating channels and vendors, enabling / disabling notifications, and toggling account-based preferences on or off in code could now be accomplished easily by the product teams. Getting much-needed observability: SuprSend provided Artwork Flow's product team unparalleled control and visibility into every triggered notification through a comprehensive logs and analytics section. This meant they could perform rapid root cause analyses (RCAs) on every notification triggered, right down to the user level. Preferences Management: Artwork Flow implemented SuprSend’s multi-tier preference management solution. This involved an admin-level preference system alongside a user-level configuration, delivering granular control over notifications to users. This gave flexibility to accounts on which notifications they want to receive and on what channels instead of the same notification strategy for everyone. For example, consider the case of a project manager who was initially bombarded with notifications related to every project activity, resulting in notification fatigue. With a preference center, this project manager could tailor their preferences, opting out of less crucial task completion notifications while prioritizing and focusing on escalation-related alerts across various communication channels. Artwork Flow also introduced a unique feature that allowed users to choose between receiving full-detailed notifications or concise summaries. This feature simplified the experience for administrators, enabling them to streamline their notification intake based on their specific needs. Results: Improving Collaboration and Product Usage With the introduction of timely and context-aware notifications, collaboration among Artwork Flow users flourished. This, in turn, led to more efficient product usage and increased user engagement. Notably, the time-to-live (TTL) for notifications was cut by an impressive 50%, accelerating the process of setting and pushing notifications in production. As a result, the engineering teams found themselves with more bandwidth to tackle critical core product tasks, something that they had been eyeing for a long time.  "At the time of launching this custom notification feature in our workflows, we had limited design & functionality in place due to engineering bandwidth constraints. SuprSend was a significant addition for our customers. Our customers can now fine-tune their notifications at the account level, whether it's for project start, completion, archiving, task initiation, or even being tagged. The ability to enable or disable each notification individually provides tailored control for their preferences." Manish, Senior PM at Artworkflow by Esko Other success stories This is some text inside of a div block. This is some text inside of a div block. Ready to transform your notifications? Join thousands of product & engineering teams using SuprSend to build & ship better notifications faster. Get Started for Free Book a Demo PLATFORM Workflows Templates Preferences Observability Analytics Preferences In-app Inbox Multi-tenant Integrations CHANNELS Email SMS Mobile Push Web Push Whatsapp In-app Inbox & Toasts Slack MS Teams SOLUTIONS Transactional Collaboration Batching/Digest Scheduled Alerts Multi-tenant Newsletters DEVELOPERS Documentation Changelogs SDKs Github API Status RESOURCES Join our Community Blog Customer Stories Support SMTP Error Codes Email Providers Comparisons SMS Providers Comparisons SMS Providers Alternatives COMPANY Pricing Terms Privacy Security Sub-processors DPA Contact Us SuprSend for Startups © 2025 SuprStack Inc. All rights reserved. SuprSend By clicking “Accept All Cookies” , you agree to the storing of cookies on your device to enhance site navigation, analyze site usage, and assist in our marketing efforts. View our Privacy Policy for more information. Preferences Deny Accept Privacy Preference Center When you visit websites, they may store or retrieve data in your browser. This storage is often necessary for the basic functionality of the website. The storage may be used for marketing, analytics, and personalization of the site, such as storing your preferences. Privacy is important to us, so you have the option of disabling certain types of storage that may not be necessary for the basic functioning of the website. Blocking categories may impact your experience on the website. Reject all cookies Allow all cookies Manage Consent Preferences by Category Essential Always Active These items are required to enable basic website functionality. Marketing Essential These items are used to deliver advertising that is more relevant to you and your interests. They may also be used to limit the number of times you see an advertisement and measure the effectiveness of advertising campaigns. Advertising networks usually place them with the website operator’s permission. Personalization Essential These items allow the website to remember choices you make (such as your user name, language, or the region you are in) and provide enhanced, more personal features. For example, a website may provide you with local weather reports or traffic news by storing data about your current location. Analytics Essential These items help the website operator understand how its website performs, how visitors interact with the site, and whether there may be technical issues. This storage type usually doesn’t collect information that identifies a visitor. Confirm my preferences and close
2026-01-13T08:49:38
https://go.opensource.org/intel
open.intel - Intel Community Search Browse Support Community About Developer Software Forums Developer Software Forums Software Development Tools Toolkits & SDKs Software Development Topics Software Development Technologies GPU Compute Software Software Archive Edge Software Catalog Product Support Forums Product Support Forums Memory & Storage Visual Computing Embedded Products Graphics Mobile and Desktop Processors Intel® Xeon® Processor and Server Products Wireless Ethernet Products Intel vPro® Platform Intel® Enpirion® Power Solutions Intel® Unison™ App Intel® QuickAssist Technology (Intel® QAT) Intel® Trusted Execution Technology (Intel® TXT) Thunderbolt™ Share Intel® Gaudi® AI Accelerator Gaming Forums Gaming Forums Intel® Arc™ Discrete Graphics Gaming on Intel® Processors with Intel® Graphics Developing Games on Intel Graphics Blogs Blogs @Intel Products and Solutions Tech Innovation Thought Leadership Intel Foundry Private Forums Private Forums Intel oneAPI Toolkits Private Forums Intel AI Software - Private Forums Intel® Connectivity Research Program (Private) Intel-Habana Gaudi Technology Forum HARP (Private Forum) open.intel All community This category Blog Knowledge base Users cancel Turn on suggestions Auto-suggest helps you quickly narrow down your search results by suggesting possible matches as you type. Showing results for  Search instead for  Did you mean:  Success! Subscription added. Success! Subscription removed. Sorry, you must verify to complete this action. Please click the verification link in your email. You may re-send via your profile . Intel Community Blogs Tech Innovation open.intel 1 --> 33 Discussions open.intel open.intel Explore Intel’s open platform and community advocacy contributions Subscribe More actions Mark all as New Mark all as Read Float this item to the top Subscribe Bookmark Subscribe to RSS Feed Posts AMD and Intel Celebrate First Anniversary of x86 Ecosystem Advisory Group Driving the Future of x86 AMD and Intel Celebrate First Anniversary of x86 Ecosystem Advisory Group Driving the Future of x86 Andrew_Evangelista 10-13-2025 AMD and Intel Celebrate First Anniversary of x86 Ecosystem Advisory Group Driving the Future of x86 ... 0 Kudos 0 Comments ChkTag: x86 Memory Safety ChkTag: x86 Memory Safety Andrew_Evangelista 10-13-2025 ChkTag: x86 Memory Safety Memory safety violations due to programming errors have long afflicted sof... 1 Kudos 0 Comments Intel at OSS NA 2025: Powering Open Source, AI, and Edge at Scale Intel at OSS NA 2025: Powering Open Source, AI, and Edge at Scale IMoss 05-28-2025 From open standards to edge orchestration, Intel is bringing hands-on innovation to developers at th... 1 Kudos 0 Comments Open Source Maintainer Wisdom You Didn't Know You Needed Open Source Maintainer Wisdom You Didn't Know You Needed Katherine_Druckman 05-22-2025 Open at Intel Host Katherine Druckman shares her five fave interviews with open source maintainers 0 Kudos 0 Comments Bridging the Gap in GenAI: Standardization, Customization, and Deployment with OPEA Blueprints & IBM Bridging the Gap in GenAI: Standardization, Customization, and Deployment with OPEA Blueprints & IBM IMoss 05-06-2025 Discover how OPEA Blueprints and IBM’s Data Prep Kit can help your org standardize AI workflows whil... 0 Kudos 0 Comments OpenSSF's OSPS Baseline: A Practical Security Framework for Open Source Projects OpenSSF's OSPS Baseline: A Practical Security Framework for Open Source Projects Katherine_Druckman 04-17-2025 Learn how OSPS Baseline can help you enhance the security of your open source projects, offering cle... 0 Kudos 0 Comments Open-Source Software Development: Do’s and Don'ts for a Successful Open Ecosystem Open-Source Software Development: Do’s and Don'ts for a Successful Open Ecosystem Nikita_Shiledarbaxi 03-18-2025 Keynote Cliff Notes: Red Hat’s Recommendations for UXL Foundation’s Growth An open source software e... 0 Kudos 0 Comments Intel at KubeCon + CloudNativeCon Europe 2025: Scaling Innovation, Securing the Future Intel at KubeCon + CloudNativeCon Europe 2025: Scaling Innovation, Securing the Future NikkiMc 03-11-2025 Intel is heading to KubeCon Europe in London April 1-4. Will we see you there? 1 Kudos 0 Comments What’s Next for Open Source? Key Insights from Intel’s 2024 Open Source Community Survey What’s Next for Open Source? Key Insights from Intel’s 2024 Open Source Community Survey NikkiMc 03-04-2025 Intel's annual Open Source Community Survey takes the temperature: burnout is down, but documentatio... 0 Kudos 0 Comments LF AI & Data Foundation: Intel’s Ezequiel Lanza Named Technical Advisory Committee (TAC) Chairperson LF AI & Data Foundation: Intel’s Ezequiel Lanza Named Technical Advisory Committee (TAC) Chairperson NikkiMc 02-21-2025 Lanza shares his vision, challenges, and insights on the future of open source, AI, and data 0 Kudos 0 Comments How Intel’s Contributions Can Boost Istio* Service Mesh Performance How Intel’s Contributions Can Boost Istio* Service Mesh Performance Chris_Norman 07-18-2023 More on the extensions and enhancements that leverage Intel hardware. 0 Kudos 0 Comments Join Us at Open Source Summit North America 2023 Join Us at Open Source Summit North America 2023 Sonia_Goldsby 05-02-2023 We're bringing our latest contributions to artificial intelligence, the Linux* kernel and OpenFL to ... 1 Kudos 2 Comments Join us at KubeCon + CloudNativeCon Europe 2023 Join us at KubeCon + CloudNativeCon Europe 2023 Sonia_Goldsby 04-10-2023 Demos, talks, swag and more! 0 Kudos 0 Comments My Journey to the Clouds... Becoming a Cloud Native My Journey to the Clouds... Becoming a Cloud Native Chris_Norman 04-03-2023 Intel's commitment to lifelong learning means looking skyward for this technical marketing specialis... 0 Kudos 0 Comments From Burning Oil Platforms to Web Platforms: Meet Riju Bhaumik From Burning Oil Platforms to Web Platforms: Meet Riju Bhaumik Chris_Norman 02-20-2023 “Intel is collaborating with web platform stakeholders to bubble up the hardware goodies on the chip... 2 Kudos 0 Comments Meet a New Voice for Open Source: Open at Intel Podcast Meet a New Voice for Open Source: Open at Intel Podcast Katherine_Druckman 02-08-2023 Unsung heroes and deep dives, biweekly. 1 Kudos 0 Comments Silence Noisy Neighbors in Kubernetes* with Class Resources Silence Noisy Neighbors in Kubernetes* with Class Resources Nicole_Martinelli 01-26-2023 Red Hat's Peter Hunt and Intel's Markus Lehtonen show you how. 0 Kudos 0 Comments What’s in store for the latest RISC-V development board What’s in store for the latest RISC-V development board Nicole_Martinelli 01-19-2023 Coming summer 2023: Horse Creek will be available to the RISC-V community to buy, use, and develop s... 1 Kudos 1 Comments Dan Williams: Kernels of Wisdom Dan Williams: Kernels of Wisdom Chris_Norman 01-12-2023 A chat with the new Chair of the Technical Advisory Board at the Linux Foundation*. 2 Kudos 0 Comments Open Source Policy: Why It's Not Just For Wonks Anymore Open Source Policy: Why It's Not Just For Wonks Anymore Nicole_Martinelli 12-19-2022 What’s coming in 2023. 0 Kudos 0 Comments Twitter Exodus: Devs Leave, but Big Tech Won't Land in the Fediverse...Yet Twitter Exodus: Devs Leave, but Big Tech Won't Land in the Fediverse...Yet Chris_Norman 11-22-2022 Hope and roadblocks for mass migration to another kind of social media. 3 Kudos 0 Comments Q&A: Patrick Ohly Talks About Chopping Wood and Kubernetes Logs Q&A: Patrick Ohly Talks About Chopping Wood and Kubernetes Logs Chris_Norman 11-01-2022 "Technical skills help, but it’s also a lot about working well with others, explaining what you want... 3 Kudos 0 Comments Why the future of open source is trust Why the future of open source is trust Sonia_Goldsby 10-07-2022 Christopher Robinson (aka CRob) speaks about the power of community. 1 Kudos 1 Comments Explore open ecosystem content at Intel InnovatiON 2022 Explore open ecosystem content at Intel InnovatiON 2022 Nicole_Martinelli 09-21-2022 Join us to learn more about how Intel is building open ecosystems in person and online September 27-... 0 Kudos 1 Comments Join us at the Open Source Summit Europe 2022 Join us at the Open Source Summit Europe 2022 Sonia_Goldsby 09-02-2022 See you in Dublin, Ireland September 13-16. 0 Kudos 0 Comments How Intel plans to curb open source sprawl with community metrics How Intel plans to curb open source sprawl with community metrics jzb 08-29-2022 The Community Health Analytics Open Source Software (CHAOSS) project creates analytics and metrics t... 1 Kudos 0 Comments What you missed from the Open Source Summit North America 2022 What you missed from the Open Source Summit North America 2022 Chris_Norman 08-12-2022 Catch up on sessions and demos highlighting Intel code optimizations and enabling. 1 Kudos 0 Comments Takeaways from Southern California Linux Expo (SCaLE) 19x Takeaways from Southern California Linux Expo (SCaLE) 19x Nicole_Martinelli 08-05-2022 Intel Open Source Evangelist Katherine Druckman shares her picks for talks on Kubernetes, security a... 1 Kudos 3 Comments Connect with us at the Open Source Summit North America 2022 Connect with us at the Open Source Summit North America 2022 Nicole_Martinelli 06-16-2022 We're looking forward to seeing you in person June 21-24 0 Kudos 0 Comments An Open Letter to an Open Ecosystem An Open Letter to an Open Ecosystem Gavin_Hindman 02-14-2022 Intel CEO Pat Gelsinger shares his perspective on the significance of open-source software and his b... 0 Kudos 0 Comments Protecting PyTorch Inference models with Intel® Software Guard Extensions (Intel® SGX) Protecting PyTorch Inference models with Intel® Software Guard Extensions (Intel® SGX) Gavin_Hindman 02-14-2022 Learn how to protect your deep learning models in public clouds utilizing PyTorch and Intel® Softwar... 1 Kudos 0 Comments An Intel® SGX based Hardware Security Module backed Key Management System An Intel® SGX based Hardware Security Module backed Key Management System Gavin_Hindman 02-14-2022 This article introduces the basics of the eHSM (Intel® Software Guard Extensions - Intel® SGX - encl... 1 Kudos 0 Comments Gramine (Formerly Graphene) joins the Linux Foundation* Gramine (Formerly Graphene) joins the Linux Foundation* Gavin_Hindman 02-14-2022 Gramine joins the Linux Foundation* as an official Confidential Computing Consortium (CCC) project. 0 Kudos 0 Comments Community support is provided Monday to Friday. Other contact methods are available here . Intel does not verify all solutions, including but not limited to any file transfers that may appear in this community. Accordingly, Intel disclaims all express and implied warranties, including without limitation, the implied warranties of merchantability, fitness for a particular purpose, and non-infringement, as well as any warranty arising from course of performance, course of dealing, or usage in trade. For more complete information about compiler optimizations, see our Optimization Notice . ©Intel Corporation Terms of Use *Trademarks Cookies Privacy Supply Chain Transparency Site Map
2026-01-13T08:49:38
https://www.fsf.org/campaigns/freejs/
The Free JavaScript campaign — Free Software Foundation — Working together for free software ​ Push freedom ahead! The free software community has always thwarted the toughest challenges facing freedom in technology. This winter season, we want to thank the many individuals and projects that have helped us get where we are today: a world where a growing number of users are able to do their computing in full freedom. Our work isn't over. We have so much more to do. Help us reach our stretch New Year's membership goal of 100 new associate members by January 16, 2026, and keep the FSF strong and independent. Join | Read more   Join   Renew   Donate Skip to content , sitemap or skip to search . Personal tools Log in Help! Members forum About Campaigns Licensing Membership Resources Community ♥Donate♥ Shop Search You are here: Home › Campaigns › The Free JavaScript campaign Info The Free JavaScript campaign by Zak Rogoff Contributions — Published on Aug 14, 2013 12:35 PM Read this article in Spanish . When looking to ensure that our computers are running free software, we usually turn our attention to the operating system and programs we install. Increasingly, we also need to look at the Web sites we visit. Simply visiting many sites loads software onto your computer, primarily JavaScript, that carry proprietary licenses. If we want to be able to browse the Web without running nonfree software, we need to work together to call for change. The Free JavaScript campaign persuades companies, governments, and NGOs to make their Web sites work without requiring that users run any proprietary software. We pick one site at a time and focus energy on it, working as a team to send many polite but firm messages to the site maintainers. The JavaScript programs in question create menus, buttons, text editors, music players, and many other features of Web sites, so browsers generally come configured to download and run them without ever making users aware of it. Contrary to popular perception, almost no JavaScript runs "on the Web site" -- even though these JavaScript programs are hidden from view, they are still nonfree code being executed on your computer, and they can abuse your trust. Join us in calling for a Web that respects our freedom by being compatible with free software. Use the action box on the right to contact the organization we're currently focusing on and ask them to make their site work without nonfree JavaScript. We're currently working on a proud badge for Web sites that work without nonfree JavaScript. The ability to display this badge will be an incentive for sites to make the transition we request of them, and sites that already respect users' freedom will use it to distinguish themselves and to welcome free software users. To receive updates and hear about the next site we'll focus on, please join the campaign's low-volume mailing list . You're also welcome to explore the campaign's area on the LibrePlanet community wiki, where you can help build the list of future sites to focus on. If you are an experienced JavaScript developer that's interested in helping with the campaign, we welcome you to submit a request to join our JavaScript Developers Task Force list. Please make sure to follow the instructions on the list info page. Examples of proprietary JavaScript abuses JavaScript can identify you by the way you type More on fingerprinting Capturing user input before submitting a form Resources GNU LibreJS , a browser extension to identify nonfree JavaScript JShelter , a browser extension meant to combat threats arising from nonfree JavaScript Setting your JavaScript Free , a step-by-step guide "JavaScript: If you love it, set it free," a video presentation about the need for free JavaScript and how to put it into practice with Web Labels, by FSF executive director John Sullivan The JavaScript Trap by Richard Stallman Blog post announcing the launch of the campaign. News and Blogs FSF JavaScript guidelines picked up by Posteo Webmail Sites focused on previously Greenpeace , a global environmental organization. Your messages to Greenpeace paid off! They sent the FSF a friendly response and are now looking in to making their Web site work without nonfree JavaScript. Regulations.gov , a Web site that American citizens can use to give feedback to their government about proposed regulatory changes. This campaign was launched with the help of FSF campaigns interns Saurabh Nair and Sankha Narayan Guria . More information about the FSF's internship program is available at https://www.fsf.org/volunteer/internships . Document Actions Share on social networks Syndicate: News Events Blogs Jobs GNU 1PC9aZC4hNX2rmmrt7uHTfYAS3hRbph4UN Help the FSF stay strong Ring in the new year by supporting software freedom and helping us reach our goal of 100 new associate members ! Free software campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software Defective by Design End Software Patents OpenDocument Free BIOS Past campaigns Sign up Enter your email address to receive our monthly newsletter, the Free Software Supporter News Eko K. A. Owen joins the FSF board as the union staff pick Dec 29, 2025 Free Software Foundation receives historic private donations Dec 24, 2025 Free Software Awards winners announced: Andy Wingo, Alx Sa, Govdirectory Dec 09, 2025 More news… Recent blogs Turning freedom values into freedom practice with the FSF tech team December GNU Spotlight with Amin Bandali featuring sixteen new GNU releases: GnuPG, a2ps, and more! Celebrate the new year: join the free software community! A message from FSF president Ian Kelling Recent blogs - More… Upcoming Events Free Software Directory meeting on IRC: Friday, January 16, starting at 12:00 EST (17:00 UTC) Jan 16, 2026 12:00 PM - 03:00 PM — #fsf on libera.chat Previous events… Upcoming events…   The FSF is a charity with a worldwide mission to advance software freedom — learn about our history and work. Copyright © 2004-2026 Free Software Foundation , Inc. Privacy Policy . This work is licensed under a Creative Commons Attribution-No Derivative Works 3.0 license (or later version) — Why this license? Skip sitemap or skip to licensing items About Staff and Board Contact Us Press Information Jobs Volunteering and Internships History Privacy Policy JavaScript Licenses Hardware Database Free Software Directory Free Software Resources Copyright Infringement Notification Skip to general items Campaigns Freedom Ladder Fight to Repair Free JavaScript High Priority Free Software Projects Secure Boot vs Restricted Boot Surveillance Upgrade from Windows Working Together for Free Software GNU Operating System Defective by Design End Software Patents OpenDocument Free BIOS Connect with free software users Skip to philosophical items Licensing Education Licenses GNU GPL GNU AGPL GNU LGPL GNU FDL Licensing FAQ Compliance How to use GNU licenses for your own software Latest News Upcoming Events FSF Blogs Skip list Donate to the FSF Join the FSF Patrons Associate Members My Account Working Together for Free Software Fund Philosophy The Free Software Definition Copyleft: Pragmatic Idealism Free Software and Free Manuals Selling Free Software Motives for Writing Free Software The Right To Read Why Open Source Misses the Point of Free Software Complete Sitemap fsf.org is powered by: Plone Zope Python CiviCRM HTML5 Arabic Belarussian Bulgarian Catalan Chinese Cornish Czech Danish English French German Greek Hebrew Hindi Italian Japanese Korean Norwegian Polish Portuguese Portuguese (Brazil) Romanian Russian Slovak Spanish Swedish Turkish Urdu Welsh   Send your feedback on our translations and new translations of pages to campaigns@fsf.org .
2026-01-13T08:49:38
https://dev.to/kowshikkumar_reddymakire#main-content
Kowshikkumar Reddy Makireddy - 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 Kowshikkumar Reddy Makireddy 404 bio not found Joined Joined on  Jan 13, 2026 More info about @kowshikkumar_reddymakire Post 1 post published Comment 0 comments written Tag 0 tags followed Building a Low-Code Blockchain Deployment Platform Kowshikkumar Reddy Makireddy Kowshikkumar Reddy Makireddy Kowshikkumar Reddy Makireddy Follow Jan 13 Building a Low-Code Blockchain Deployment Platform # showdev # blockchain # devops # tooling Comments Add Comment 9 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:49:38
https://www.intigriti.com/researchers/blog/hacking-tools/vibe-coding-security-vulnerabilities#:~:text=And%20as%20more%20developers%20rely,security%20flaws
Finding more vulnerabilities in vibe coded apps | Intigriti Companies Product types Platform Industries Resources Pricing plans About us Product types Bug bounty platform with additional testing options to meet your needs Core offering Bug bounty Host your bug bounty program on our secure platform PTaaS Cost efficient and scalable penetration testing Managed VDP Managed Vulnerability Disclosure Program Live hacking events Find bugs in a focused setting with top researchers Platform Discover the Intigriti platform Platform tour Take a platform tour today to learn more Integrations Boost productivity by integrating Intigriti with leading tools Trust center See our security and compliance credentials: SOC 2, ISO 27001, and more For customers More handy resources Additional demos Experience other parts of Intigriti’s platform in action Knowledge base Explore insights on program management, best practices, and so much more Uptime and status Stay informed with real-time updates on our uptime and status, ensuring seamless operations and minimal disruptions Changelog Explore the platform's latest features and updates Industries we serve Specialist researchers for every industry Retail Prevent service interruptions and safeguard complex Gaming and eSports Prevent service interruptions and safeguard complex environments and digital assets Finance and Insurance Protect sensitive data and thwart identity theft before It happens Leisure and Hospitality Keep your digital systems for guest data, reservations and payment processing safe B2B SaaS Manage growing attack surfaces and reduce the risk of revenue and reputation loss Telecommunications Dial up your security and protect Interconnected networks and systems Government and Public services Protect sensitive data, even with stringent budget constraints Transport & Logistics Safeguard shipment details, customer information, financial transactions, and operational data Healthcare Take care of your organization and uphold patient confidentiality Resources Take a look at our ebooks, customer stories, and more New story Customer stories Learn how others succeed with Intigriti New blog Blog Read the latest news, tips, and industry updates Datasheets Get detailed specs on our solutions and services Ebooks Dive deeper into security with expert-written guides Webinars Watch on-demand security sessions Shorts Read quick, one-page insights on key topics Events Join upcoming conferences and community meetups Plans to suit your security testing needs Straightforward pricing with no hidden fees Core Ideal for organizations seeking top-tier bug bounty and VDP programs with full support to grow their crowdsourced security Popular Premium Our most popular package, perfect for those needing premium services and a tailored approach to complex requirements Enterprise A fully customized solution for scaling crowdsourced security, including custom assets like hardware and IoT Learn more about our company About us Our mission and values Leadership Meet the team of experts behind Intigriti Careers See our latest opportunities Contact us Get in touch today to learn how we can support your security goals Researchers About Intigriti Useful links Blog Sign up Sign in About Intigriti Discover how we support and empower security researchers How it works Hack with Intigriti to access bug bounties, develop your skills, and connect with a vibrant community of ethical hackers New programs added Public programs Check out Intigriti's public programs from organizations across the globe Useful links Quickly access key pages and resources Leaderboard All-time leaderboard of researchers at Intigriti Learn to hack Dive into vulnerability classes with Intigriti's hackademy Swag shop Dive into a world of Intigriti merch and swag Newsletter Keep up with all the latest Bug Bytes Bug bounty talks Connect with expert speakers or submit your talk Blog Read the latest news, tips, and hacker updates Public programs Leaderboard Sign in Sign up now Companies Researchers About Intigriti Useful links Blog Sign up Sign in Sign in Sign up now Back Sign in Sign up now Blog Hacking Tools Finding more vulnerabilities in vibe coded apps By Intigriti April 16, 2025 Table of contents How vibe coding works (and why it's dangerous) Common vulnerabilities in vibe-coded apps: examples How to exploit vibe-coded apps The future of vibe coding exploits: conclusion Table of contents How vibe coding works (and why it's dangerous) Common vulnerabilities in vibe-coded apps: examples How to exploit vibe-coded apps The future of vibe coding exploits: conclusion Vibe coding is the latest trend sweeping through developer communities. It’s the art of describing a concept, feeding it to an AI, and letting the LLM (Large Language Model) manifest the code based purely on vibes. The quote states, "You fully give in to the vibes, embrace exponentials, and forget that the code even exists." And as more developers rely on AI to "vibe" their way through coding, we’re entering a new golden age of bug bounty hunting. Why? Because AI-generated code often looks functional, it even runs but hides subtle (and sometimes catastrophic) security flaws. A developer prompting an Large Language Model (LLM) to generate code Let's break down why "vibe coding" is a hacker's dream and how you can exploit it. How vibe coding works (and why it's dangerous) 1) You provide a prompt A developer describes what they want in natural language, for example, "Make a Python script that takes user input and saves it to a database." The art here to prevent vulnerabilities is to describe the functionalities of the application as extensively as possible and state how certain functions would need to be implemented to prevent security issues. Security complications of vibe coding 2) The AI "vibes" out code Using all the knowledge it has, the AI model then generates the code, most of the time lacking the context security-wise. There are different problems with this because LLMs are trained on tons of code repositories, but in those repositories are also vulnerabilities. So of course, when certain prompts are done to an AI, and certainly with vibe coding because people tend to build whole applications with one or more prompts, you’re going to get vulnerabilities lodged in your application. 3) The developer deploys it Most vibe coders assume the AI "knows" best and trust the code. Resulting in vulnerable code being pushed to production Common vulnerabilities in vibe-coded apps: examples No input sanitization Most LLMs do not take input sanitization, one of the most crucial foundations of having a secure app, into consideration. This makes injection attacks like SQLi and XSS possible. Improper access controls Let's take a look at another example of an LLM's output. This time we're prompting with Cursor, a widely used tool that integrates third-party LLMs from OpenAI, Anthropic, etc. into VSCode. We will be asking it to generate an admin dashboard, here's our prompt: Make me an app that has a login and an admin panel in React. Make it pretty. Improper access controls on AI generated code Initially the code seems fine, but when we look deeper, we see that the only check that is done to get to the admin dashboard is to check if a property in localStorage is set to true (which can easily be manipulated by the end user). This code is unrealistic since the authentication is done entirely on the client side. The preferred approach to this would be to implement server-side authentication and authorization mechanisms and preferably use a token, like a JSON Web Token (JWT). When the user logs in, the token would be generated for that user, and when trying to access a restricted page, the token would be given in the request, validated on the server-side, and if valid, the page would be made accessible to the user. Sensitive secret exposure (hard-coded credentials) Let's take a look at another example that mainly affects beginners and people who are coming from non-technical backgrounds. Most LLMs main objective is to provide an answer to your prompt, and that often does not include adhering to security best practices. In this instance, we've asked ChatGPT to help us with developing an application in PHP that stores objects in our database: I need to implement saving a flower object into a database in php. Sensitive secret exposure (hard-coded credentials) in AI-generated code As we can see, the AI says that we need to hardcode the database credentials in the same file where our main application logic is located. Newcomers will not be familiar with security best practices, such as storing sensitive secrets in secure environments, and will follow the example they’re presented with instead. If this same file is ever made accessible, for instance, pushed to a public GitHub repository, placed in the web root folder, or through any other means, it would essentially allow malicious users to initiate a connection to the database and gain full control. How to exploit vibe-coded apps When it comes to exploiting these apps, it’s very simple. Most of these apps don’t comply with the best practices like we have seen so far. Here are some examples of how to go about actually attacking these applications. Look for common AI-generated code patterns If we look at the way AI forms code, we can see some significant similarities and patterns. Getting yourself familiar with these patterns can help you recognize applications like this instantly. Here are a few characteristics to look out for: Overly generic variable names (temp1, data2). Comments explaining how the code works: AI tends to over-explain basic logic, while critical security checks are missing. Lack of error handling (try/catch missing): A lot of times AI will not do proper error handling; therefore, you get generic error messages being thrown, which is interesting for an attacker to get a deeper insight into how the system works. Over-reliance on outdated libraries: AI may suggest deprecated libraries with known vulnerabilities (e.g., an old version of Mongoose). Test for "obvious" flaws SQLi? Throw a ' OR 1=1-- into every input. XSS? Drop a <script>alert(1)</script> or a polyglot string and see if it gives a popup or if you manage to find a symbol that breaks the application.  IDOR? Change /user?id=1 to /user?id=2 .  Check for missing input validation  Look for errors leaking information  API key leaks  Logic errors  Here in this post that we did recently, which shows exactly how such a logic error could look. The AI lacks the context and doesn’t include that the birth date can be changed as much as the user wants, resulting in a valid coupon code every day. Like we saw, the vulnerabilities that are in these generated applications are most of the time very easy ones, and the bigger the application, the more potential it has to be exploited. Most of these things are covered in our new Hackademy .  Scan for hard-coded secrets Like we saw, AI likes to generate code that has hard-coded secrets and doesn’t suggest using any environment variables or secret managers. This gives us the opportunity to maybe do some secret scanning on, for example, GitHub, or maybe it's simply leaking in the front end (JavaScript files with AWS S3 credentials as an example). The future of vibe coding exploits: conclusion As AI-generated code becomes mainstream, bug hunters should: Automate detection of AI code patterns. Prioritize low-hanging fruit (SQLi, XSS, secrets).  Monitor GitHub for freshly pushed AI projects.  Developers should always review AI-generated code, especially security-critical parts. Make sure that every line of code is reviewed and that the aforementioned low-hanging fruit vulnerabilities are taken care of. This can be done by following industry standard guides like OWASP: https://cheatsheetseries.owasp.org/   You’ve just learned how to hunt for security vulnerabilities in vibe-coded applications… Right now, it’s time to put your skills to the test! Browse through our 70+ public bug bounty programs on Intigriti , and who knows, maybe your next bounty will be earned with us!  Happy hunting. The era of vibe-driven vulnerabilities is here. You may also like January 12, 2026 Exploiting information disclosure vulnerabilities Information disclosure vulnerabilities can arise in various peculiar ways, especially as applications continue to evolve and become more complex over time. Unlike some injection attacks, where several factors determine exploitability. Information disclosures can often lead to direct, standalone atta Read more December 24, 2025 December CTF Challenge: Chaining XS leaks and postMessage XSS At Intigriti, we host monthly web-based Capture The Flag (CTF) challenges as a way to engage with the security researcher community. December's challenge by Renwa took inspiration from the Marvel Cinematic Universe, specifically Thanos's quest to collect all six Infinity Stones. This challenge requi Read more December 9, 2025 Exploiting business logic error vulnerabilities It's no secret that complexity is the biggest rival of safe applications. As web apps become more sophisticated, they create countless opportunities for logic flaws to arise. Unlike technical vulnerabilities that can be easily automated, business logic errors emerge from the gap between how develope Read more Interested in working with us? We are happy to provide a demo of our platform. Schedule a demo Intigriti About us Manifesto Leadership Corporate Social Responsibility Resources Legal information Blog Newsletter Careers Companies Contact us How it works Request demo Customer stories Bug bounty Intigriti VDP Pentest as a Service Live hacking events Pricing Partner Researchers How it works Public programs Leaderboard Learn to hack Useful links Knowledge base Uptime & status Cookie policy Cookie settings Trust center Privacy statement Terms & conditions Corporate policy Swag shop © COPYRIGHT INTIGRITI 2026
2026-01-13T08:49:38
https://vibe.forem.com/privacy#c-information-collected-from-other-sources
Privacy Policy - Vibe Coding 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 Vibe Coding Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy.  They're called "defined terms," and we use them so that we don't have to repeat the same language again and again.  They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws.  8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:38
https://1password.com
Password Manager & Extended Access Management | 1Password | 1Password Skip to Main Content Ungoverned AI. Rampant shadow IT. SSO falling short. New research reveals what pros think. Read it now Secure all sign‑ins to every application from any device View plans Talk to sales PERSONAL and FAMILY The industry-leading Password Manager for work, family, and life Keep your digital life secure while staying productive with the industry’s most usable password manager. Explore Password Manager Business and Enterprise Secure your business, protect your people Close the Access-Trust Gap left by traditional access management tools. Extended Access Management secures access for every identity, device, and app. Explore Extended Access Management Trusted by 180,000 businesses and millions of families Business and Enterprise Access management for every industry See how your team can securely use apps, boost visibility, and control access risk. View plans Talk to sales This interactive demo has been hidden because it needs cookies you haven't agreed to yet. Click the button below to update your cookie preferences and enable the interactive demo. Start the demo Security and password management for families, startups, and enterprises Personal and Family Secure peace of mind for you and your family From passwords, credit cards, and sensitive information – keep it all in one place and easily access it on any device with our personal password manager. Get started with Password Manager Business and Enterprise Protect every employee from security risks and shadow IT Secure your company’s data from credential attacks and manage shadow IT risks with our industry-leading security model. Learn how it works Business and Enterprise Secure access from every device Eliminate unmanaged credentials, reduce password risk, and manage access across legacy, unfederated, and shadow IT apps with 1Password Device Trust. Learn about Device Trust Business and Enterprise Eliminate unnecessary SaaS spend Maximize SaaS efficiency, reduce redundant licenses, and control spend with Trelica by 1Password. Explore Trelica by 1Password Why people trust 1Password 206% return on investment according to Forrester Research The most used enterprise password manager. Duke University tripled its security coverage when it switched to 1Password. Recognized in the Gartner Magic Quadrant for SaaS Management Platforms. 206% return on investment according to Forrester Research The most used enterprise password manager. Duke University tripled its security coverage when it switched to 1Password. Recognized in the Gartner Magic Quadrant for SaaS Management Platforms. 206% return on investment according to Forrester Research The most used enterprise password manager. Duke University tripled its security coverage when it switched to 1Password. Recognized in the Gartner Magic Quadrant for SaaS Management Platforms. Go to slide 1 of 4 Go to slide 2 of 4 Go to slide 3 of 4 Go to slide 4 of 4 Ready to get started? Request a demo to see how 1Password combines workforce identity, application insights, device trust, and enterprise password management in one place. Request a demo English Deutsch Español Français Italiano 日本語 한국어 Português 简体中文 繁體中文 English Show options Downloads macOS Windows iOS Android Browser Linux CLI 1Password products Extended Access Management Enterprise Password Manager Device Trust Trelica by 1Password Personal Password Manager MSP Edition Password generator Username generator Comparison Demos Switch Pricing Features Autofill Access reviews Access requests Posture checks Extended Device Compliance Trelica integrations SaaS discovery SaaS workflows License management Watchtower insights Secrets Management Password sharing Two-factor authentication Passkeys Solutions Passwordless Device Security Shadow IT Discovery SaaS Access Governance SaaS Spend Management Compliance and Cyber Insurance Agentic AI Security Resources Webinars Customer stories Resource library Blog Security Privacy Developers Developer documentation Developer Community Secrets management Bug bounty Support Help and Documentation Community Customer support Privacy support Company About We're hiring! Press Podcast Newsletter Legal Center Trust Center Partners Partnerships Overview 1Password for MSPs 1Password Marketplace Affiliate Downloads macOS Windows iOS Android Browser Linux CLI Terms of Service Cookie Policy Your Privacy Choices California Consumer Privacy Act (CCPA) Opt-Out Icon Privacy Policy Accessibility Sitemap © 2025 1Password. All rights reserved. 4711 Yonge St, 10th Floor, Toronto Ontario, M2N 6K8, Canada
2026-01-13T08:49:38
https://vibe.forem.com/privacy#c-marketing-and-advertising-our-products-and-services
Privacy Policy - Vibe Coding 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 Vibe Coding Forem Close Privacy Policy Last Updated: September 01, 2023 This Privacy Policy is designed to help you understand how DEV Community Inc. (" DEV ," " we ," or " us ") collects, use, and discloses your personal information. What's With the Defined Terms? You'll notice that some words appear in quotes in this Privacy Policy.  They're called "defined terms," and we use them so that we don't have to repeat the same language again and again.  They mean the same thing in every instance, to help us make sure that this Privacy Policy is consistent. We've included the defined terms throughout because we want it to be easy for you to read them in context. 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? 2. PERSONAL INFORMATION WE COLLECT 3. HOW WE USE YOUR INFORMATION 4. HOW WE DISCLOSE YOUR INFORMATION 5. YOUR PRIVACY CHOICES AND RIGHTS 6. INTERNATIONAL DATA TRANSFERS 7. RETENTION OF PERSONAL INFORMATION 8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS 10. CHILDREN'S INFORMATION 11. OTHER PROVISIONS 12. CONTACT US 1. WHAT DOES THIS PRIVACY POLICY APPLY TO? This Privacy Policy applies to personal information processed by us, including on our websites, mobile applications, and other online or offline offerings — basically anything we do. To make this Privacy Policy easier to read, our websites, mobile applications, and other offerings are all collectively called the " Services. " Beyond this Privacy Policy, your use of the Services is subject to our DEV Community Terms and our Forem Terms. The Services include both our own community forum at https://www.dev.to (the " DEV Community ") and the open source tool we provide called " Forem ," available at https://www.forem.com which allows our customers to create and operate their own online forums. We collect personal information from two categories of people: (1) our customers, who use Forem and our hosting services to run and host their own forums (we'll call them " Forem Operators "), and (2) the people who interact with DEV-hosted forums, including forums provided by Forem Operators utilizing Forem and separately our own DEV Community (we'll call them " Users "). An Important Note for Users Since we provide hosting services for Forem Operators, technically we also process your information on their behalf. That processing is governed by the contracts that we have in place with each Forem Operator, not this Privacy Policy. In other words, when you share your data on a DEV-hosted forum operated by a Forem Operator, we at DEV are basically just the "pipes" — we process the data on behalf of the Forem Operator, but don't do anything with it ourselves beyond what we're required to do under our contract (and by law). So, if you post your information on a DEV-powered forum provided by a Forem Operator, that Forem Operator's privacy policy applies, and any questions or requests relating to your data on that service should be directed to that Forem Operator, not us. Likewise, if you use our mobile application, you may also interact with forums that use DEV's open-source tools but do all their hosting and data collection themselves. For those forums, we at DEV have no access to your data, so be sure to read the privacy policy of any third-party hosted forum before posting. 2. PERSONAL INFORMATION WE COLLECT The categories of personal information we collect depend on whether you're a User or Forem Operator, how you interact with us, our Services, and the requirements of applicable law. Breaking it down, we collect three types of information: (1) information that you provide to us directly, (2) information we obtain automatically when you use our Services, and (3) information we get about you from other sources (such as third-party services and organizations). More details are below. A. Information You Provide to Us Directly We may collect the following personal information that you provide to us. Account Creation (for Forem Operators): We'll require your name and email address to get started, as well as some details about the Forem you want to run, such as: whether you're running the Forem on your own behalf or as part of an organization, and details about the community you want to support (how big is it, what topics does it cover, where do members currently communicate, how/if the community earns money, whether the community is open, invite-only or paid, any existing social media accounts, etc.) You'll need to tell us a bit about your personal coding background, and you'll have the option to provide your DEV username as well, if you are a member of the DEV.to community. Account Creation (for Users) : We collect name and email address from users that create an account on DEV Community. For other forums created by Forem Operators using Forem, the Forem Operator determines what information is required for User account creation for their respective forums. Interactive Features (for Users) . Like any other social network, both we and other Users of our Services may collect personal information that you submit or make available through our interactive features (e.g., messaging and chat features, commenting functionalities, forums, blogs, posts, and other social media pages). While we do have private messages that are only between you and the person you're messaging (as well as us and the Forem Operator, as applicable), any information you provide using the public sharing features of the Services, such as the information you post to your public profile or the topics you follow is public, including to recruiters and prospective employers, and is not subject to any of the privacy protections we mention in this Privacy Policy except where legally required. Please exercise caution before revealing any information that may identify you in the real world to others. Purchases . If you buy stuff on our shop site https://shop.dev.to/ (as either a User or Forem Operator), or otherwise if you pay us in connection with your use of the Forem service, we may collect personal information and details associated with your purchases, including payment information. Any payments made via our Services are processed by third-party payment processors, such as Stripe, Shopify, and PayPal. We do not directly collect or store any payment card information entered through our Services, but may receive information associated with your payment card information (e.g., your billing details). Your Communications with Us (Users and Forem Operators) . We may collect personal information, such as email address, phone number, or mailing address when you request information about our Services, register for our newsletter or loyalty program, request customer or technical support, apply for a job, or otherwise communicate with us. Surveys . We may contact you to participate in surveys. If you decide to participate, you may be asked to provide certain information, which may include personal information (for example, your home address). Sweepstakes or Contests . We may collect personal information you provide for any sweepstakes or contests that we offer. In some jurisdictions, we are required to publicly share information of sweepstakes and contest winners. Conferences, Trade Shows, and Other Events . We may collect personal information from individuals when we attend conferences, trade shows, and other events. Business Development and Strategic Partnerships . We may collect personal information from individuals and third parties to assess and pursue potential business opportunities. Job Applications . We may post job openings and opportunities on our Services. If you reply to one of these postings by submitting your application, CV and/or cover letter to us, we will collect and use your information to assess your qualifications. B. Information Collected Automatically We may collect personal information automatically when you use our Services: Automatic Data Collection . We may collect certain information automatically when you use our Services, such as your Internet protocol (IP) address, user settings, MAC address, cookie identifiers, mobile carrier, mobile advertising and other unique identifiers, browser or device information, location information (including approximate location derived from IP address), and Internet service provider. We may also automatically collect information regarding your use of our Services, such as pages that you visit before, during and after using our Services, information about the links you click, the types of content you interact with, the frequency and duration of your activities, and other information about how you use our Services. In addition, we may collect information that other people provide about you when they use our Services, including information about you when they tag you in their posts. Cookies, Pixel Tags/Web Beacons, and Other Technologies . We, as well as third parties that provide content, advertising, or other functionality on our Services, may use cookies, pixel tags, local storage, and other technologies (" Technologies ") to automatically collect information through your use of our Services. Cookies . Cookies are small text files placed in device browsers that store preferences and facilitate and enhance your experience. Pixel Tags/Web Beacons . A pixel tag (also known as a web beacon) is a piece of code embedded in our Services that collects information about engagement on our Services. The use of a pixel tag allows us to record, for example, that a user has visited a particular web page or clicked on a particular advertisement. We may also include web beacons in e-mails to understand whether messages have been opened, acted on, or forwarded. Our uses of these Technologies fall into the following general categories: Operationally Necessary . This includes Technologies that allow you access to our Services, applications, and tools that are required to identify irregular website behavior, prevent fraudulent activity and improve security or that allow you to make use of our functionality. Performance-Related . We may use Technologies to assess the performance of our Services, including as part of our analytic practices to help us understand how individuals use our Services ( see Analytics below ). Functionality-Related . We may use Technologies that allow us to offer you enhanced functionality when accessing or using our Services. This may include identifying you when you sign into our Services or keeping track of your specified preferences, interests, or past items viewed. Analytics . We may use Technologies and other third-party tools to process analytics information on our Services. Some of our analytics partners include Google Analytics. For more information,please visit Google Analytics' Privacy Policy . To learn more about how to opt-out of Google Analytics' use of your information, please click here . Social Media Platforms . Our Services may contain social media buttons such as Twitter, Facebook, GitHub, Instagram, and Twitch (that might include widgets such as the "share this" button or other interactive mini programs). These features may collect your IP address, which page you are visiting on our Services, and may set a cookie to enable the feature to function properly. Your interactions with these platforms are governed by the privacy policy of the company providing it. See the "Your Privacy Choices and Rights" section below to understand your choices regarding these Technologies. C. Information Collected from Other Sources We may obtain information about you from other sources, including through third-party services and organizations. For example, if you access our Services through a third-party application, such as an app store, a third-party login service (e.g., through Twitter, Apple, or GitHub), or a social networking site, we may collect whatever information about you from that third-party application that you have made available via your privacy settings. 3. HOW WE USE YOUR INFORMATION We use your information for a variety of business purposes, including to provide our Services, for administrative purposes, and to market our products and Services, as described below. A. Provide Our Services We use your information to fulfill our contract with you and provide you with our Services, such as: Managing your information and accounts; Providing access to certain areas, functionalities, and features of our Services; Answering requests for customer or technical support; Communicating with you about your account, activities on our Services, and policy changes; Processing your financial information and other payment methods for products or Services purchased; Processing applications if you apply for a job we post on our Services; and Allowing you to register for events. B. Administrative Purposes We use your information for various administrative purposes, such as: Pursuing our legitimate interests such as direct marketing, research and development (including marketing research), network and information security, and fraud prevention; Detecting security incidents, protecting against malicious, deceptive, fraudulent or illegal activity, and prosecuting those responsible for that activity; Measuring interest and engagement in our Services, including for usage-based billing purposes; Short-term, transient use, such as contextual customization of ads; Improving, optimizing, upgrading, or enhancing our Services; Developing new products and Services; Ensuring internal quality control and safety; Authenticating and verifying individual identities, including requests to exercise your rights under this policy; Debugging to identify and repair errors with our Services; Auditing relating to interactions, transactions and other compliance activities; Enforcing our agreements and policies; and Complying with our legal obligations. C. Marketing and Advertising our Products and Services We may use your personal information to tailor and provide you with content and advertisements for our Services, such as via email. If you have any questions about our marketing practices, you may contact us at any time as set forth in the "Contact Us" section below. D. Other Purposes We also use your information for other purposes as requested by you or as permitted by applicable law. Consent . We may use personal information for other purposes that are clearly disclosed to you at the time you provide personal information or with your consent. Automated Decision Making. We may engage in automated decision making, including profiling, such as to suggest topics or other Users for you to follow. DEV's processing of your personal information will not result in a decision based solely on automated processing that significantly affects you unless such a decision is necessary as part of a contract we have with you, we have your consent, or we are permitted by law to engage in such automated decision making. If you have questions about our automated decision making, you may contact us as set forth in the "Contact Us" section below. De-identified and Aggregated Information . We may use personal information and other information about you to create de-identified and/or aggregated information, such as de-identified demographic information, information about the device from which you access our Services, or other analyses we create. For example, we may collect system-wide information to ensure availability of the platform, or measure aggregate data trends to analyze and optimize our Services. Share Content with Friends or Colleagues. Our Services may offer various tools and functionalities. For example, we may allow you to provide information about your friends through our referral services. Our referral services may allow you to forward or share certain content with a friend or colleague, such as an email inviting your friend to use our Services. Please only share with us contact information of people with whom you have a relationship (e.g., relative, friend neighbor, or co-worker). 4. HOW WE DISCLOSE YOUR INFORMATION We disclose your information to third parties for a variety of business purposes, including to provide our Services, to protect us or others, or in the event of a major business transaction such as a merger, sale, or asset transfer, as described below. A. Disclosures to Provide our Services The categories of third parties with whom we may share your information are described below. Service Providers . We may share your personal information with our third-party service providers who use that information to help us provide our Services. This includes service providers that provide us with IT support, hosting, payment processing, customer service, and related services. For example, our Shop site is run by Shopify, who handle your shipping details on our behalf. Business Partners . We may share your personal information with business partners to provide you with a product or service you have requested. We may also share your personal information to business partners with whom we jointly offer products or services. Other Users . As described above in the "Personal Information We Collect" section of this Privacy Policy, our Service allows Users to share their profiles, and any posts, chats, etc. with other Users and with the general public, including to those who do not use our Services. APIs/SDKs . We may use third-party Application Program Interfaces ("APIs") and Software Development Kits ("SDKs") as part of the functionality of our Services. For more information about our use of APIs and SDKs, please contact us as set forth in the "Contact Us" section below. B . Disclosures to Protect Us or Others We may access, preserve, and disclose any information we store associated with you to external parties if we, in good faith, believe doing so is required or appropriate to: comply with law enforcement or national security requests and legal process, such as a court order or subpoena; protect your, our, or others' rights, property, or safety; enforce our policies or contracts; collect amounts owed to us; or assist with an investigation or prosecution of suspected or actual illegal activity. C. Disclosure in the Event of Merger, Sale, or Other Asset Transfers If we are involved in a merger, acquisition, financing due diligence, reorganization, bankruptcy, receivership, purchase or sale of assets, or transition of service to another provider, your information may be sold or transferred as part of such a transaction, as permitted by law and/or contract. 5. YOUR PRIVACY CHOICES AND RIGHTS Your Privacy Choices . The privacy choices you may have about your personal information are determined by applicable law and are described below. Email Communications . If you receive an unwanted email from us, you can use the unsubscribe link found at the bottom of the email to opt out of receiving future emails. Note that you will continue to receive transaction-related emails regarding products or Services you have requested. We may also send you certain non-promotional communications regarding us and our Services, and you will not be able to opt out of those communications (e.g., communications regarding our Services or updates to our Terms or this Privacy Policy). Mobile Devices . We may send you push notifications through our mobile application. You may opt out from receiving these push notifications by changing the settings on your mobile device. "Do Not Track." Do Not Track (" DNT ") is a privacy preference that users can set in certain web browsers. Please note that we do not respond to or honor DNT signals or similar mechanisms transmitted by web browsers. Cookies and Interest-Based Advertising . You may stop or restrict the placement of Technologies on your device or remove them by adjusting your preferences as your browser or device permits. However, if you adjust your preferences, our Services may not work properly. Please note that cookie-based opt-outs are not effective on mobile applications. Please note you must separately opt out in each browser and on each device. Your Privacy Rights . In accordance with applicable law, you may have the right to: Access Personal Information about you, including: (i) confirming whether we are processing your personal information; (ii) obtaining access to or a copy of your personal information; Request Correction of your personal information where it is inaccurate, incomplete or outdated. In some cases, we may provide self-service tools that enable you to update your personal information; Request Deletion, Anonymization or Blocking of your personal information when processing is based on your consent or when processing is unnecessary, excessive or noncompliant; Request Restriction of or Object to our processing of your personal information when processing is noncompliant; Withdraw Your Consent to our processing of your personal information. If you refrain from providing personal information or withdraw your consent to processing, some features of our Service may not be available; Request Data Portability and Receive an Electronic Copy of Personal Information that You Have Provided to Us; Be Informed about third parties with which your personal information has been shared; and Request the Review of Decisions Taken Exclusively Based on Automated Processing if such decisions could affect your data subject rights. If you would like to exercise any of these rights, please contact us as set forth in "Contact Us" below. We will process such requests in accordance with applicable laws. 6. INTERNATIONAL DATA TRANSFERS All information processed by us may be transferred, processed, and stored anywhere in the world, including, but not limited to, the United States or other countries, which may have data protection laws that are different from the laws where you live. We always strive to safeguard your information consistent with the requirements of applicable laws. 7. RETENTION OF PERSONAL INFORMATION We store the personal information we collect as described in this Privacy Policy for as long as you use our Services or as necessary: to fulfill the purpose or purposes for which it was collected, to provide our Services, to resolve disputes, to establish legal defenses, to conduct audits, to pursue legitimate business purposes, to enforce our agreements, and to comply with applicable laws.  8. SUPPLEMENTAL DISCLOSURES FOR CALIFORNIA RESIDENTS Refer-a-Friend and Similar Incentive Programs . As described above in the How We Use Your Personal Information section ("Share Content with Friends or Colleagues" subsection), we may offer referral programs or other incentivized data collection programs. For example, we may offer incentives to you such as discounts or promotional items or credit in connection with these programs, wherein you provide your personal information in exchange for a reward, or provide personal information regarding your friends or colleagues (such as their email address) and receive rewards when they sign up to use our Services. (The referred party may also receive rewards for signing up via your referral.) These programs are entirely voluntary and allow us to grow our business and provide additional benefits to you. The value of your data to us depends on how you ultimately use our Services, whereas the value of the referred party's data to us depends on whether the referred party ultimately becomes a User or Forem Operator and uses our Services. Said value will be reflected in the incentive offered in connection with each program. Accessibility . This Privacy Policy uses industry-standard technologies and was developed in line with the World Wide Web Consortium's Web Content Accessibility Guidelines, version 2.1* . * If you wish to print this policy, please do so from your web browser or by saving the page as a PDF. California Shine the Light . The California "Shine the Light" law permits users who are California residents to request and obtain from us once a year, free of charge, a list of the third parties to whom we have disclosed their personal information (if any) for their direct marketing purposes in the prior calendar year, as well as the type of personal information disclosed to those parties. Right for Minors to Remove Posted Content . Where required by law, California residents under the age of 18 may request to have their posted content or information removed from the publicly-viewable portions of the Services by contacting us directly as set forth in the "Contact Us" section below or by logging into their account and removing the content or information using our self-service tools. 9. SUPPLEMENTAL NOTICE FOR NEVADA RESIDENTS If you are a resident of Nevada, you have the right to opt-out of the sale of certain Personal Information to third parties who intend to license or sell that Personal Information. You can exercise this right by contacting us as set forth in the "Contact Us\" section below with the subject line "Nevada Do Not Sell Request" and providing us with your name and the email address associated with your account. Please note that we do not currently sell your Personal Information as sales are defined in Nevada Revised Statutes Chapter 603A. If you have any questions, please contact us as set forth below. 10. CHILDREN'S INFORMATION The Services are not directed to children under 13 (or other age as required by local law), and we do not knowingly collect personal information from children. If you are a parent or guardian and believe your child has uploaded personal information to our site without your consent, you may contact us as described in the "Contact Us" section below. If we become aware that a child has provided us with personal information in violation of applicable law, we will delete any personal information we have collected, unless we have a legal obligation to keep it, and terminate the child's account if applicable. 11. OTHER PROVISIONS Third-Party Websites or Applications . The Services may contain links to other websites or applications, and other websites or applications may reference or link to our Services. These third-party services are not controlled by us. We encourage our users to read the privacy policies of each website and application with which they interact. We do not endorse, screen or approve, and are not responsible for, the privacy practices or content of such other websites or applications. Providing personal information to third-party websites or applications is at your own risk. Changes to Our Privacy Policy . We may revise this Privacy Policy from time to time in our sole discretion. If there are any material changes to this Privacy Policy, we will notify you as required by applicable law. You understand and agree that you will be deemed to have accepted the updated Privacy Policy if you continue to use our Services after the new Privacy Policy takes effect. 12. CONTACT US If you have any questions about our privacy practices or this Privacy Policy, or to exercise your rights as detailed in this Privacy Policy, please contact us at: support@dev.to . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Vibe Coding Forem — Discussing AI software development, and showing off what we're building. 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 . Vibe Coding Forem © 2025 - 2026. Where anyone can code, with a bit of creativity and some AI help. Log in Create account
2026-01-13T08:49:38
https://www.suprsend.com/customers/how-freightify-helped-freight-forwarders-achieve-a-30-boost-in-quote-win-ratio-using-suprsend
How Freightify Helped Freight Forwarders Achieve a 30% Boost in Quote Win Ratio Using SuprSend? Platform Workflows Craft notification workflows outside code Templates Powerful WYSIWYG template editors for all channels Analytics Get insights to improve notifications performance in one place Tenants Map your multi-tenant setup to scope notifications per tenant In-app Inbox Drop in a fully customizable, real-time inbox Preferences Allow users to decide which notifications they want to receive and on what channels Observability Get step-by-step detailed logs to debug faster Integrations Connect with the tools & providers you already use Solutions By Usecases Transactional Trigger real-time notifications based on user actions or system events Collaboration Notify users about mentions, comments, or shared activity Multi-tenant Customize templates, preferences & routing for each tenant Batching & Digest Group multiple updates into a single notification Scheduled Alerts Send timely notifications at fixed intervals or specific times Announcements / Newsletters Broadcast product updates or messages to all users Pricing Developers Documentation Quick Start Guides API References SuprSend CLI SDKs System Status Customers Resources Resources Blog Join our Slack Community Change logs Security Featured Blogs A complete guide on Notification Service for Modern Applications Build vs Buy For Notification Service Sign in Get a Demo Get Started How Freightify Helped Freight Forwarders Achieve a 30% Boost in Quote Win Ratio Using SuprSend? Industry Automotive & Transportation Based in Singapore Business type B2B2C Deployment method Cloud Features used Multi-tenant,Per-tenant template customization Ready to start? Book a demo Challenge Freightify was looking to improve the customer engagement rate on behalf of freight forwarders using notifications with customized branding at scale which would automate processes and hence, increase their revenues. Solution SuprSend simplified Freightify’s notifications stack through customization to match their customer’s branding, dynamic templating, language, providers, and preferences — all from a single platform, resulting in an improved communication experience for customers. Outcome Freightify’s customers witnessed a 30% boost in quote win ratio coupled with custom & robust notification infrastructure, saving 600+ hours of developers' time, and providing a controlled notification experience. "Choosing SuprSend over building in-house saved us 600+ developer hours and major future maintenance costs—while delivering a far better user experience and faster time to market." Swaminathan N Product Lead, Freightify With an aim to establish themselves as the " Shopify for the freight forwarders ”, Freightify's mission is digitalizing the traditional logistics companies and freight forwarders. They automate operational-heavy tasks like rate procurement, rate management, quotes, freight scheduling, and tracking, by relying on timely notifications to connect freight forwarders and customers. However, end-users may miss these business-centered notifications if they don't appear to come from the logistics company itself. This creates an added issue of managing notifications for multiple brands and their providers, taking up to a quarter of months of developers’ time. SuprSend collaborated with Swaminathan Natarajan , the head of product at Freightify who is a strong advocate for a customer-centric approach, to solve this pressing problem without any added developer dependencies. Revamping Freightify's Initial Notification System Freightify's initial notification system had complex individual modules, as developers had to create new templates for every new brand and notification type that was added to the system, making it unsustainable. "We initially didn’t have the time to build a scalable notification system as our focus was predominantly on the business use cases. So, when growing, the notification system fell short and became unhygienic. That’s when we started searching for tools that could simplify the entire communication process.” Swaminathan N, Product Lead at Freightify Freightify’s product team faced the problem acutely with emails which play a critical role in any freight forwarder’s notification system. However, it was these 3 major pain points that ultimately motivated them to try SuprSend! Customizing Templates With Freight Forwarder’s Guidelines Freightify recognized the low engagement rate of their old notification system particularly due to limited customization options. The trigger for revamping their notification system became even more apparent when their customers directly started asking for customized templating features, which was proving to be unmanageable for Freightify at scale. “Considering we’re a SaaS in the freight forwarding industry, every customer wanted to have their customized notification sent, which would require a lot of maintenance work from our side. Given that it wasn't our primary focus, allocating resources for it was difficult.” Swaminathan N, Product Lead at Freightify Unified Brand Management in a Single API Call Freightify has a large customer base of freight forwarders, each with its unique branding guidelines. The task of creating brand-specific templates for every type of notification for each brand was time-consuming for developers and not scalable. “Design plays a major role in branding. With our native notification system, the controls weren’t very great and flexible on the templates… We just used to update the logo for branding, which wasn’t enough.” Swaminathan N, Product Lead at Freightify Freightify used SuprSend branding API to programmatically save brands and customize notifications dynamically as per their customer’s brand guidelines ( brand_id, brand_name, logo, brand properties, brand_colors (primary_color, secondary_color, tertiary_color ), and social_links ) in just one API call. “We’re now iterating different content for different sets of customers, right from a single dashboard,” Swaminathan N, Product Lead at Freightify Using SuprSend’s Brand Management capability, Freightify now easily manages and updates brand information for all notifications by configuring it just once on SuprSend, saving a lot of developers’ time. Dynamic Template Customization “Earlier, the templates were part of the code, and so the designs were fixed, and to change even the smallest part, we had to go through the dev cycle again. We were looking for something to make this quick, and experiment on the fly.” Swaminathan N, Product Lead at Freightify Templates need to adjust dynamically based on brand elements to look good, but in the original  notification system, this wasn't possible for Freightify. SuprSend fixed this by providing powerful template editors on the dashboard that the design team could control  as per the brand elements.  For instance, TopCargo, a customer of Freightify, has a light logo. SuprSend’s notification template dynamically adjusts to a dark theme background to improve notification readability based on a few brand properties. Managing & Routing Through Logistics Companies’ Providers With managing notifications for multiple brands, another challenge that Freightify faced was handling different vendors for each logistics company, as companies wanted their notifications to go via their brand handle (e.g. company domain name for email, registered company header for SMS, and WhatsApp). To send email notifications, they utilized SuprSend's brand API to send messages on behalf of their customer's domain. However, for SMS and WhatsApp notifications, they had to use individual vendor accounts for each brand, which resulted in storing and managing access keys for multiple vendors and integrating APIs with each of them, leading to excessive development and frequent cross-call errors. SuprSend streamlined this in a single API call by allowing Freightify to configure ‘providers’ for each brand and routing notifications through them, eliminating the need for multiple API integrations. Localization Problem With operations spanning 45 countries, Freightify has truly established a global presence. One of the challenges this brings is the localization of notifications to ensure seamless communication across borders. Swami comments, ‘ Our customers want to have the content in their own language style. ’ With SuprSend’s multi-lingual notification feature, they created notifications in 5 languages, English, Spanish, French, Mandarin, and German, with a single click. Preference Management: Giving Power to the Freight Forwarders and their End Users When asked about the future use case for SuprSend, Swami stated, “We will be adding more events in notification modules in the coming times, and would want the customers to channel their notification preferences by subscribing or unsubscribing, without our intervention.” Swaminathan N, Product Lead at Freightify SuprSend enables companies to manage their customers' notification preferences easily, without any extra management on their end. In the case of Freightify, preferences could be controlled at three levels: the Freightify admin level, the freight forwarder, and the end user. Each level can set which notifications should be sent and on what channels, giving the end user a delightful notification experience without constantly changing the source code. Why SuprSend was the right choice? Recognizing that building a capability not central to their core business would receive limited attention in the development cycle and result in a poor user experience, Freightify carefully evaluated their options. "Build v/s Buy was a strong factor we evaluated before shipping with SuprSend. Definitely, the user experience and cost factor came better here… It saved more than 600+ hours of our developers' time along with our future development & maintenance costs.” Swaminathan N, Product Lead at Freightify Swami also shares his future plans for SuprSend integration, including web push and in-app notifications. Interestingly, now it would be much simpler for them to add new channels. Unsure if buying would be the right decision? Try out SuprSend for free ! We promise you 10,000 notifications per month without poking around! Streamlining Operations and Improving Customer Experience: Freightify's Success with SuprSend. With custom branding and multi-lingual notifications, Freightify boosted the notification engagement rate for freight forwarders by 300% . The improved notification system, facilitated by notifications with customized branding, resulted in a 30% increase in the quote-win ratio.  With just a single API call, Freightify now sends thousands of unique notifications across multiple channels for leading freight forwarding companies such as Vanguard and TopCrew and their customers, solidifying their position as a top player in the digitalization of the freight forwarding industry. Other success stories This is some text inside of a div block. This is some text inside of a div block. Ready to transform your notifications? Join thousands of product & engineering teams using SuprSend to build & ship better notifications faster. Get Started for Free Book a Demo PLATFORM Workflows Templates Preferences Observability Analytics Preferences In-app Inbox Multi-tenant Integrations CHANNELS Email SMS Mobile Push Web Push Whatsapp In-app Inbox & Toasts Slack MS Teams SOLUTIONS Transactional Collaboration Batching/Digest Scheduled Alerts Multi-tenant Newsletters DEVELOPERS Documentation Changelogs SDKs Github API Status RESOURCES Join our Community Blog Customer Stories Support SMTP Error Codes Email Providers Comparisons SMS Providers Comparisons SMS Providers Alternatives COMPANY Pricing Terms Privacy Security Sub-processors DPA Contact Us SuprSend for Startups © 2025 SuprStack Inc. All rights reserved. SuprSend By clicking “Accept All Cookies” , you agree to the storing of cookies on your device to enhance site navigation, analyze site usage, and assist in our marketing efforts. View our Privacy Policy for more information. Preferences Deny Accept Privacy Preference Center When you visit websites, they may store or retrieve data in your browser. This storage is often necessary for the basic functionality of the website. The storage may be used for marketing, analytics, and personalization of the site, such as storing your preferences. Privacy is important to us, so you have the option of disabling certain types of storage that may not be necessary for the basic functioning of the website. Blocking categories may impact your experience on the website. Reject all cookies Allow all cookies Manage Consent Preferences by Category Essential Always Active These items are required to enable basic website functionality. Marketing Essential These items are used to deliver advertising that is more relevant to you and your interests. They may also be used to limit the number of times you see an advertisement and measure the effectiveness of advertising campaigns. Advertising networks usually place them with the website operator’s permission. Personalization Essential These items allow the website to remember choices you make (such as your user name, language, or the region you are in) and provide enhanced, more personal features. For example, a website may provide you with local weather reports or traffic news by storing data about your current location. Analytics Essential These items help the website operator understand how its website performs, how visitors interact with the site, and whether there may be technical issues. This storage type usually doesn’t collect information that identifies a visitor. Confirm my preferences and close
2026-01-13T08:49:38
https://dev.to/page/heroku-challenge-v25-08-27-contest-rules
Heroku “Back to School” AI 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 Heroku “Back to School” AI Challenge Contest Rules Contest Announcement Heroku “Back to School” AI 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 : Heroku “Back to School” AI Challenge Entry Period : The Contest begins on August 27, 2025 at 9:00 AM PDT and ends on September 28, 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. 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 and prize category based on the following criteria: Use of underlying technology Usability and User Experience Accessibility Creativity 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. Prize(s) : The prizes to be awarded from the Contest are as follows: Each category winner (3) will receive: $1,000 USD Gift Card or Equivalent Exclusive DEV Badge DEV++ Membership Student 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:49:38
https://www.assemblyai.com/docs/guides/streaming?utm_source=devto&utm_medium=challenge&utm_campaign=streaming_challenge&utm_content=support
Overview | AssemblyAI | Documentation Gemini 3 Pro now available in LLM Gateway! Learn more Search / Ask AI Sign In Documentation API Reference Cookbooks FAQ Playground Changelog Roadmap Documentation API Reference Cookbooks FAQ Playground Changelog Roadmap Overview Pre-recorded audio Streaming audio Audio Intelligence LLM Gateway Migration guides Sign In Light On this page Basic Streaming Workflows Streaming for Front-End Applications Streaming with LLM Gateway Use Case Specific Streaming Workflows Overview Streaming audio Overview Copy page AssemblyAI’s Streaming Speech-to-Text (STT) allows you to transcribe live audio streams with high accuracy and low latency. By streaming your audio data to our secure WebSocket API, you can receive transcripts back within a few hundred milliseconds. Basic Streaming Workflows Using real-time streaming Transcribe System Audio in Real-Time (macOS) Terminate Streaming Session After Inactivity Migrate from Streaming v2 to Streaming v3 (Python) Migrate from Streaming v2 to Streaming v3 (JavaScript) Streaming for Front-End Applications Next.js Example Using Streaming STT Vanilla JavaScript Front-End Examples Streaming with LLM Gateway Use LLM Gateway with Streaming Speech-to-Text (STT) Translate Streaming STT Transcripts with LLM Gateway Use Case Specific Streaming Workflows Apply Noise Reduction to Audio for Streaming Speech-to-Text Transcribe Audio Files with Streaming Speech-to-Text Evaluate Streaming transcription accuracy with WER Determine Optimal Turn Detection Settings from Historical Audio Analysis Was this page helpful? Yes No Previous Transcribe System Audio in Real-Time (macOS) Next Built with
2026-01-13T08:49:38
https://techcrunch.com/2025/04/14/openais-new-gpt-4-1-models-focus-on-coding/#:~:text=According%20to%20OpenAI%E2%80%99s%20internal%20testing%2C,respectively%2C%20on%20the%20same%20benchmark
OpenAI's new GPT-4.1 AI models focus on coding | TechCrunch TechCrunch Desktop Logo TechCrunch Mobile Logo Latest Startups Venture Apple Security AI Apps Events Podcasts Newsletters Search Submit Site Search Toggle Mega Menu Toggle Topics Latest AI Amazon Apps Biotech & Health Climate Cloud Computing Commerce Crypto Enterprise EVs Fintech Fundraising Gadgets Gaming Google Government & Policy Hardware Instagram Layoffs Media & Entertainment Meta Microsoft Privacy Robotics Security Social Space Startups TikTok Transportation Venture More from TechCrunch Staff Events Startup Battlefield StrictlyVC Newsletters Podcasts Videos Partner Content TechCrunch Brand Studio Crunchboard Contact Us Image Credits: Jakub Porzycki/NurPhoto / Getty Images AI OpenAI’s new GPT-4.1 AI models focus on coding Kyle Wiggers 10:00 AM PDT · April 14, 2025 OpenAI on Monday launched a new family of models called GPT-4.1. Yes, “4.1” — as if the company’s nomenclature wasn’t confusing enough already. There’s GPT-4.1, GPT-4.1 mini, and GPT-4.1 nano, all of which OpenAI says “excel” at coding and instruction following. Available through OpenAI’s API but not ChatGPT , the multimodal models have a 1-million-token context window, meaning they can take in roughly 750,000 words in one go (longer than “War and Peace”). GPT-4.1 arrives as OpenAI rivals like Google and Anthropic ratchet up efforts to build sophisticated programming models. Google’s recently released Gemini 2.5 Pro , which also has a 1-million-token context window, ranks highly on popular coding benchmarks. So do Anthropic’s Claude 3.7 Sonnet and Chinese AI startup DeepSeek’s upgraded V3 . It’s the goal of many tech giants, including OpenAI, to train AI coding models capable of performing complex software engineering tasks. OpenAI’s grand ambition is to create an “agentic software engineer,” as CFO Sarah Friar put it during a tech summit in London last month. The company asserts its future models will be able to program entire apps end-to-end, handling aspects such as quality assurance, bug testing, and documentation writing. GPT-4.1 is a step in this direction. “We’ve optimized GPT-4.1 for real-world use based on direct feedback to improve in areas that developers care most about: frontend coding, making fewer extraneous edits, following formats reliably, adhering to response structure and ordering, consistent tool usage, and more,” an OpenAI spokesperson told TechCrunch via email. “These improvements enable developers to build agents that are considerably better at real-world software engineering tasks.” OpenAI claims the full GPT-4.1 model outperforms its GPT-4o and GPT-4o mini  models on coding benchmarks, including SWE-bench. GPT-4.1 mini and nano are said to be more efficient and faster at the cost of some accuracy, with OpenAI saying GPT-4.1 nano is its speediest — and cheapest — model ever. Techcrunch event Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. Join the Disrupt 2026 Waitlist Add yourself to the Disrupt 2026 waitlist to be first in line when Early Bird tickets drop. Past Disrupts have brought Google Cloud, Netflix, Microsoft, Box, Phia, a16z, ElevenLabs, Wayve, Hugging Face, Elad Gil, and Vinod Khosla to the stages — part of 250+ industry leaders driving 200+ sessions built to fuel your growth and sharpen your edge. Plus, meet the hundreds of startups innovating across every sector. San Francisco | October 13-15, 2026 W AITLIST NOW GPT-4.1 costs $2 per million input tokens and $8 per million output tokens. GPT-4.1 mini is $0.40/million input tokens and $1.60/million output tokens, and GPT-4.1 nano is $0.10/million input tokens and $0.40/million output tokens. According to OpenAI’s internal testing, GPT-4.1, which can generate more tokens at once than GPT-4o (32,768 versus 16,384), scored between 52% and 54.6% on SWE-bench Verified, a human-validated subset of SWE-bench. (OpenAI noted in a blog post that some solutions to SWE-bench Verified problems couldn’t run on its infrastructure, hence the range of scores.) Those figures are slightly under the scores reported by Google and Anthropic for Gemini 2.5 Pro (63.8%) and Claude 3.7 Sonnet (62.3%), respectively, on the same benchmark. In a separate evaluation, OpenAI probed GPT-4.1 using Video-MME, which is designed to measure the ability of a model to “understand” content in videos. GPT-4.1 reached a chart-topping 72% accuracy on the “long, no subtitles” video category, claims OpenAI. While GPT-4.1 scores reasonably well on benchmarks and has a more recent “knowledge cutoff,” giving it a better frame of reference for current events (up to June 2024), it’s important to keep in mind that even some of the best models today struggle with tasks that wouldn’t trip up experts. For example, many studies have  shown  that code-generating models often fail to fix, and even introduce, security vulnerabilities and bugs. OpenAI acknowledges, too, that GPT-4.1 becomes less reliable (i.e., likelier to make mistakes) the more input tokens it has to deal with. On one of the company’s own tests, OpenAI-MRCR, the model’s accuracy decreased from around 84% with 8,000 tokens to 50% with 1 million tokens. GPT-4.1 also tended to be more “literal” than GPT-4o, says the company, sometimes necessitating more specific, explicit prompts. Topics AI , gpt 4.1 , OpenAI Kyle Wiggers AI Editor Kyle Wiggers was TechCrunch’s AI Editor until June 2025. His writing has appeared in VentureBeat and Digital Trends, as well as a range of gadget blogs including Android Police, Android Authority, Droid-Life, and XDA-Developers. He lives in Manhattan with his partner, a music therapist. View Bio Dates TBD Locations TBA Plan ahead for the 2026 StrictlyVC events. Hear straight-from-the-source candid insights in on-stage fireside sessions and meet the builders and backers shaping the industry. Join the waitlist to get first access to the lowest-priced tickets and important updates. Waitlist Now Most Popular Google announces a new protocol to facilitate commerce using AI agents Ivan Mehta The most bizarre tech announced so far at CES 2026 Lauren Forristal Yes, LinkedIn banned AI agent startup Artisan, but now it’s back Julie Bort OpenAI unveils ChatGPT Health, says 230 million users ask about health each week Amanda Silberling How Quilt solved the heat pump’s biggest challenge Tim De Chant A viral Reddit post alleging fraud from a food delivery app turned out to be AI-generated Amanda Silberling Founder of spyware maker pcTattletale pleads guilty to hacking and advertising surveillance software Zack Whittaker Loading the next article Error loading the next article X LinkedIn Facebook Instagram youTube Mastodon Threads Bluesky TechCrunch Staff Contact Us Advertise Crunchboard Jobs Site Map Terms of Service Privacy Policy RSS Terms of Use Code of Conduct CES 2026 Elon Musk v OpenAI Clicks Communicator Gmail Larry Page Tech Layoffs ChatGPT © 2025 TechCrunch Media LLC.
2026-01-13T08:49:38