url stringlengths 11 2.25k | text stringlengths 88 50k | ts timestamp[s]date 2026-01-13 08:47:33 2026-01-13 09:30:40 |
|---|---|---|
https://www.facebook.com/login/identify/?ctx=recover&from_login_screen=0 | 비밀번호를 잊으셨나요? | 로그인할 수 없는 경우 | Facebook 내 계정 찾기 내 계정 찾기 계정을 검색하려면 이메일 주소 또는 휴대폰 번호를 입력하세요. 취소 검색 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/redis-adapter/ | Redis adapter | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Adapters Introduction Redis adapter Redis Streams adapter MongoDB adapter Postgres adapter Cluster adapter Google Cloud Pub/Sub adapter AWS SQS adapter Azure Service Bus adapter Advanced Migrations Miscellaneous Adapters Redis adapter Version: 4.x On this page Redis adapter How it works The Redis adapter relies on the Redis Pub/Sub mechanism . Every packet that is sent to multiple clients (e.g. io.to("room1").emit() or socket.broadcast.emit() ) is: sent to all matching clients connected to the current server published in a Redis channel, and received by the other Socket.IO servers of the cluster The source code of this adapter can be found here . Supported features Feature socket.io version Support Socket management 4.0.0 ✅ YES (since version 6.1.0 ) Inter-server communication 4.1.0 ✅ YES (since version 7.0.0 ) Broadcast with acknowledgements 4.5.0 ✅ YES (since version 7.2.0 ) Connection state recovery 4.6.0 ❌ NO Installation npm install @socket.io/redis-adapter Compatibility table Redis Adapter version Socket.IO server version 4.x 1.x 5.x 2.x 6.0.x 3.x 6.1.x 4.x 7.x and above 4.3.1 and above Usage tip For new developments, we recommend using the sharded adapter , which takes advantage of the sharded Pub/Sub feature introduced in Redis 7.0. With the redis package caution The redis package seems to have problems restoring the Redis subscriptions after reconnection: https://github.com/redis/node-redis/issues/2155 https://github.com/redis/node-redis/issues/1252 You may want to use the ioredis package instead. import { createClient } from "redis" ; import { Server } from "socket.io" ; import { createAdapter } from "@socket.io/redis-adapter" ; const pubClient = createClient ( { url : "redis://localhost:6379" } ) ; const subClient = pubClient . duplicate ( ) ; await Promise . all ( [ pubClient . connect ( ) , subClient . connect ( ) ] ) ; const io = new Server ( { adapter : createAdapter ( pubClient , subClient ) } ) ; io . listen ( 3000 ) ; With the redis package and a Redis cluster import { createCluster } from "redis" ; import { Server } from "socket.io" ; import { createAdapter } from "@socket.io/redis-adapter" ; const pubClient = createCluster ( { rootNodes : [ { url : "redis://localhost:7000" , } , { url : "redis://localhost:7001" , } , { url : "redis://localhost:7002" , } , ] , } ) ; const subClient = pubClient . duplicate ( ) ; await Promise . all ( [ pubClient . connect ( ) , subClient . connect ( ) ] ) ; const io = new Server ( { adapter : createAdapter ( pubClient , subClient ) } ) ; io . listen ( 3000 ) ; With the ioredis package import { Redis } from "ioredis" ; import { Server } from "socket.io" ; import { createAdapter } from "@socket.io/redis-adapter" ; const pubClient = new Redis ( ) ; const subClient = pubClient . duplicate ( ) ; const io = new Server ( { adapter : createAdapter ( pubClient , subClient ) } ) ; io . listen ( 3000 ) ; With the ioredis package and a Redis cluster import { Cluster } from "ioredis" ; import { Server } from "socket.io" ; import { createAdapter } from "@socket.io/redis-adapter" ; const pubClient = new Cluster ( [ { host : "localhost" , port : 7000 , } , { host : "localhost" , port : 7001 , } , { host : "localhost" , port : 7002 , } , ] ) ; const subClient = pubClient . duplicate ( ) ; const io = new Server ( { adapter : createAdapter ( pubClient , subClient ) } ) ; io . listen ( 3000 ) ; With Redis sharded Pub/Sub Sharded Pub/Sub was introduced in Redis 7.0 in order to help scaling the usage of Pub/Sub in cluster mode. Reference: https://redis.io/docs/interact/pubsub/#sharded-pubsub A dedicated adapter can be created with the createShardedAdapter() method: import { Server } from "socket.io" ; import { createClient } from "redis" ; import { createShardedAdapter } from "@socket.io/redis-adapter" ; const pubClient = createClient ( { host : "localhost" , port : 6379 } ) ; const subClient = pubClient . duplicate ( ) ; await Promise . all ( [ pubClient . connect ( ) , subClient . connect ( ) ] ) ; const io = new Server ( { adapter : createShardedAdapter ( pubClient , subClient ) } ) ; io . listen ( 3000 ) ; Minimum requirements: Redis 7.0 redis@4.6.0 caution It is not currently possible to use the sharded adapter with the ioredis package and a Redis cluster ( reference ). Options Default adapter Name Description Default value key The prefix for the Redis Pub/Sub channels. socket.io requestsTimeout After this timeout the adapter will stop waiting from responses to request. 5_000 publishOnSpecificResponseChannel Whether to publish a response to the channel specific to the requesting node. false parser The parser to use for encoding and decoding messages sent to Redis. - tip Setting the publishOnSpecificResponseChannel option to true is more efficient since the responses (for example when calling fetchSockets() or serverSideEmit() ) are only sent to the requesting server, and not to all the servers. However, it currently defaults to false for backward-compatibility. Sharded adapter Name Description Default value channelPrefix The prefix for the Redis Pub/Sub channels. socket.io subscriptionMode The subscription mode impacts the number of Redis Pub/Sub channels used by the adapter. dynamic Available values for the subscriptionMode option: Value # of Pub/Sub channels Description static 2 per namespace Useful when used with dynamic namespaces. dynamic (default) (2 + 1 per public room) per namespace Useful when some rooms have a low number of clients (so only a few Socket.IO servers are notified). dynamic-private (2 + 1 per room) per namespace Like dynamic but creates separate channels for private rooms as well. Useful when there is lots of 1:1 communication via socket.emit() calls. Common questions Is there any data stored in Redis? No, the Redis adapter uses the Pub/Sub mechanism to forward the packets between the Socket.IO servers, so there are no keys stored in Redis. Do I still need to enable sticky sessions when using the Redis adapter? Yes. Failing to do so will result in HTTP 400 responses (you are reaching a server that is not aware of the Socket.IO session). More information can be found here . What happens when the Redis server is down? In case the connection to the Redis server is severed, the packets will only be sent to the clients that are connected to the current server. Migrating from socket.io-redis The package was renamed from socket.io-redis to @socket.io/redis-adapter in v7 , in order to match the name of the Redis emitter ( @socket.io/redis-emitter ). To migrate to the new package, you'll need to make sure to provide your own Redis clients, as the package will no longer create Redis clients on behalf of the user. Before: const redisAdapter = require ( "socket.io-redis" ) ; io . adapter ( redisAdapter ( { host : "localhost" , port : 6379 } ) ) ; After: const { createClient } = require ( "redis" ) ; const { createAdapter } = require ( "@socket.io/redis-adapter" ) ; const pubClient = createClient ( { url : "redis://localhost:6379" } ) ; const subClient = pubClient . duplicate ( ) ; io . adapter ( createAdapter ( pubClient , subClient ) ) ; tip The communication protocol between the Socket.IO servers has not been updated, so you can have some servers with socket.io-redis and some others with @socket.io/redis-adapter at the same time. Latest releases Version Release date Release notes Diff 8.3.0 March 2024 link 8.2.1...8.3.0 8.2.1 May 2023 link 8.2.0...8.2.1 8.2.0 May 2023 link 8.1.0...8.2.0 8.1.0 February 2023 link 8.0.0...8.1.0 8.0.0 December 2022 link 7.2.0...8.0.0 7.2.0 May 2022 link 7.1.0...7.2.0 Complete changelog Emitter The Redis emitter allows sending packets to the connected clients from another Node.js process: This emitter is also available in several languages: Javascript: https://github.com/socketio/socket.io-redis-emitter Java: https://github.com/sunsus/socket.io-java-emitter Python: https://pypi.org/project/socket.io-emitter/ PHP: https://github.com/rase-/socket.io-php-emitter Golang: https://github.com/yosuke-furukawa/socket.io-go-emitter Perl: https://metacpan.org/pod/SocketIO::Emitter Rust: https://github.com/epli2/socketio-rust-emitter Installation npm install @socket.io/redis-emitter redis Usage import { Emitter } from "@socket.io/redis-emitter" ; import { createClient } from "redis" ; const redisClient = createClient ( { url : "redis://localhost:6379" } ) ; redisClient . connect ( ) . then ( ( ) => { const emitter = new Emitter ( redisClient ) ; setInterval ( ( ) => { emitter . emit ( "time" , new Date ) ; } , 5000 ) ; } ) ; Note: with redis@3 , calling connect() on the Redis client is not needed: import { Emitter } from "@socket.io/redis-emitter" ; import { createClient } from "redis" ; const redisClient = createClient ( { url : "redis://localhost:6379" } ) ; const emitter = new Emitter ( redisClient ) ; setInterval ( ( ) => { emitter . emit ( "time" , new Date ) ; } , 5000 ) ; Please refer to the cheatsheet here . Migrating from socket.io-emitter The package was renamed from socket.io-emitter to @socket.io/redis-emitter in v4 , in order to better reflect the relationship with Redis. To migrate to the new package, you'll need to make sure to provide your own Redis clients, as the package will no longer create Redis clients on behalf of the user. Before: const io = require ( "socket.io-emitter" ) ( { host : "127.0.0.1" , port : 6379 } ) ; After: const { Emitter } = require ( "@socket.io/redis-emitter" ) ; const { createClient } = require ( "redis" ) ; const redisClient = createClient ( ) ; const io = new Emitter ( redisClient ) ; Latest releases Version Release date Release notes Diff 5.1.0 January 2023 link 5.0.0...5.1.0 5.0.0 September 2022 link 4.1.1...5.0.0 4.1.1 January 2022 link 4.1.0...4.1.1 4.1.0 May 2021 link 4.0.0...4.1.0 4.0.0 March 2021 link 3.2.0...4.0.0 Complete changelog Edit this page Last updated on Nov 15, 2025 Previous Introduction Next Redis Streams adapter How it works Supported features Installation Compatibility table Usage With the redis package With the redis package and a Redis cluster With the ioredis package With the ioredis package and a Redis cluster With Redis sharded Pub/Sub Options Default adapter Sharded adapter Common questions Is there any data stored in Redis? Do I still need to enable sticky sessions when using the Redis adapter? What happens when the Redis server is down? Migrating from socket.io-redis Latest releases Emitter Installation Usage Migrating from socket.io-emitter Latest releases Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/namespaces/#main-namespace | Namespaces | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Adapters Advanced Namespaces Custom parser Admin UI Usage with PM2 Load testing Performance tuning Migrations Miscellaneous Advanced Namespaces Version: 4.x On this page Namespaces A Namespace is a communication channel that allows you to split the logic of your application over a single shared connection (also called "multiplexing"). Introduction Each namespace has its own: event handlers io . of ( "/orders" ) . on ( "connection" , ( socket ) => { socket . on ( "order:list" , ( ) => { } ) ; socket . on ( "order:create" , ( ) => { } ) ; } ) ; io . of ( "/users" ) . on ( "connection" , ( socket ) => { socket . on ( "user:list" , ( ) => { } ) ; } ) ; rooms const orderNamespace = io . of ( "/orders" ) ; orderNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; orderNamespace . to ( "room1" ) . emit ( "hello" ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; // distinct from the room in the "orders" namespace userNamespace . to ( "room1" ) . emit ( "holà" ) ; } ) ; middlewares const orderNamespace = io . of ( "/orders" ) ; orderNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "orders" namespace, and then next ( ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "users" namespace, and then next ( ) ; } ) ; Possible use cases: you want to create a special namespace that only authorized users have access to, so the logic related to those users is separated from the rest of the application const adminNamespace = io . of ( "/admin" ) ; adminNamespace . use ( ( socket , next ) => { // ensure the user has sufficient rights next ( ) ; } ) ; adminNamespace . on ( "connection" , socket => { socket . on ( "delete user" , ( ) => { // ... } ) ; } ) ; your application has multiple tenants so you want to dynamically create one namespace per tenant const workspaces = io . of ( / ^\/\w+$ / ) ; workspaces . on ( "connection" , socket => { const workspace = socket . nsp ; workspace . emit ( "hello" ) ; } ) ; Main namespace Until now, you interacted with the main namespace, called / . The io instance inherits all of its methods: io . on ( "connection" , ( socket ) => { } ) ; io . use ( ( socket , next ) => { next ( ) } ) ; io . emit ( "hello" ) ; // are actually equivalent to io . of ( "/" ) . on ( "connection" , ( socket ) => { } ) ; io . of ( "/" ) . use ( ( socket , next ) => { next ( ) } ) ; io . of ( "/" ) . emit ( "hello" ) ; Some tutorials may also mention io.sockets , it's simply an alias for io.of("/") . io . sockets === io . of ( "/" ) Custom namespaces To set up a custom namespace, you can call the of function on the server-side: const nsp = io . of ( "/my-namespace" ) ; nsp . on ( "connection" , socket => { console . log ( "someone connected" ) ; } ) ; nsp . emit ( "hi" , "everyone!" ) ; Client initialization Same-origin version: const socket = io ( ) ; // or io("/"), the main namespace const orderSocket = io ( "/orders" ) ; // the "orders" namespace const userSocket = io ( "/users" ) ; // the "users" namespace Cross-origin/Node.js version: const socket = io ( "https://example.com" ) ; // or io("https://example.com/"), the main namespace const orderSocket = io ( "https://example.com/orders" ) ; // the "orders" namespace const userSocket = io ( "https://example.com/users" ) ; // the "users" namespace In the example above, only one WebSocket connection will be established, and the packets will automatically be routed to the right namespace. Please note that multiplexing will be disabled in the following cases: multiple creation for the same namespace const socket1 = io ( ) ; const socket2 = io ( ) ; // no multiplexing, two distinct WebSocket connections different domains const socket1 = io ( "https://first.example.com" ) ; const socket2 = io ( "https://second.example.com" ) ; // no multiplexing, two distinct WebSocket connections usage of the forceNew option const socket1 = io ( ) ; const socket2 = io ( "/admin" , { forceNew : true } ) ; // no multiplexing, two distinct WebSocket connections Dynamic namespaces It is also possible to dynamically create namespaces, either with a regular expression: io . of ( / ^\/dynamic-\d+$ / ) ; or with a function: io . of ( ( name , auth , next ) => { next ( null , true ) ; // or false, when the creation is denied } ) ; You can have access to the new namespace in the connection event: io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { const namespace = socket . nsp ; } ) ; The return value of the of() method is what we call the parent namespace, from which you can: register middlewares const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . use ( ( socket , next ) => { next ( ) } ) ; The middleware will automatically be registered on each child namespace. broadcast events const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . emit ( "hello" ) ; // will be sent to users in /dynamic-1, /dynamic-2, ... caution Existing namespaces have priority over dynamic namespaces. For example: // register "dynamic-101" namespace io . of ( "/dynamic-101" ) ; io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { // will not be called for a connection on the "dynamic-101" namespace } ) ; Complete API The complete API exposed by the Namespace instance can be found here . Edit this page Last updated on Nov 15, 2025 Previous Azure Service Bus adapter Next Custom parser Introduction Main namespace Custom namespaces Client initialization Dynamic namespaces Complete API Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/server-installation/ | Server Installation | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Installation Initialization The Server instance The Socket instance Middlewares Behind a reverse proxy Using multiple nodes Handling CORS Application structure Usage with bundlers Client Events Adapters Advanced Migrations Miscellaneous Server Installation Version: 4.x On this page Server Installation info The latest release is currently 4.8.1 , released in October 2024. You can find the release notes here . Prerequisites Please make sure that Node.js is installed on your system. The current Long Term Support (LTS) release is an ideal starting point, see here . info At least Node.js 10 is needed, older versions are not supported anymore. Installation To install the latest release: NPM Yarn pnpm Bun npm install socket.io yarn add socket.io pnpm add socket.io bun add socket.io To install a specific version: NPM Yarn pnpm Bun npm install socket.io@version yarn add socket.io@version pnpm add socket.io@version bun add socket.io@version Additional packages By default, Socket.IO use the WebSocket server provided by the ws package. There are 2 optional packages that can be installed alongside this package. These packages are binary add-ons which improve certain operations. Prebuilt binaries are available for the most popular platforms so you don't necessarily need to have a C++ compiler installed on your machine. bufferutil : Allows to efficiently perform operations such as masking and unmasking the data payload of the WebSocket frames. utf-8-validate : Allows to efficiently check if a message contains valid UTF-8 as required by the spec. To install those packages: NPM Yarn pnpm Bun npm install --save-optional bufferutil utf-8-validate yarn add --optional bufferutil utf-8-validate pnpm add -O bufferutil utf-8-validate bun add --optional bufferutil utf-8-validate Please note that these packages are optional, the WebSocket server will fallback to the Javascript implementation if they are not available. More information can be found here . Other WebSocket server implementations Any Websocket server implementation which exposes the same API as ws (notably the handleUpgrade method) can be used. For example, you can use the eiows package, which is a fork of the (now deprecated) uws package: NPM Yarn pnpm Bun npm install eiows yarn add eiows pnpm add eiows bun add eiows And then use the wsEngine option: const { Server } = require ( "socket.io" ) ; const eiows = require ( "eiows" ) ; const io = new Server ( 3000 , { wsEngine : eiows . Server } ) ; This implementation "allows, but doesn't guarantee" significant performance and memory-usage improvements over the default implementation. As usual, please benchmark it against your own usage. Usage with µWebSockets.js Starting with version 4.4.0 , a Socket.IO server can now bind to a µWebSockets.js server. Installation: NPM Yarn pnpm Bun npm install uWebSockets.js@uNetworking/uWebSockets.js#v20.52.0 yarn add uWebSockets.js@uNetworking/uWebSockets.js#v20.52.0 pnpm add uWebSockets.js@uNetworking/uWebSockets.js#v20.52.0 bun add uWebSockets.js@uNetworking/uWebSockets.js#v20.52.0 Usage: const { App } = require ( "uWebSockets.js" ) ; const { Server } = require ( "socket.io" ) ; const app = App ( ) ; const io = new Server ( ) ; io . attachApp ( app ) ; io . on ( "connection" , ( socket ) => { // ... } ) ; app . listen ( 3000 , ( token ) => { if ( ! token ) { console . warn ( "port already in use" ) ; } } ) ; Usage with Bun The @socket.io/bun-engine package provides a Bun-specific low-level engine, intended to leverage the speed and scalability of Bun. Installation bun add socket.io @socket.io/bun-engine Usage import { Server as Engine } from "@socket.io/bun-engine" ; import { Server } from "socket.io" ; const io = new Server ( ) ; const engine = new Engine ( { path : "/socket.io/" , } ) ; io . bind ( engine ) ; io . on ( "connection" , ( socket ) => { // ... } ) ; export default { port : 3000 , idleTimeout : 30 , // must be greater than the "pingInterval" option of the engine, which defaults to 25 seconds ... engine . handler ( ) , } ; tip Any existing adapter can be used without any modification. Miscellaneous Dependency tree A basic installation of the server includes 21 packages, of which 6 are maintained by our team: └─┬ socket.io@4.8.1 ├─┬ accepts@1.3.8 │ ├─┬ mime-types@2.1.35 │ │ └── mime-db@1.52.0 │ └── negotiator@0.6.3 ├── base64id@2.0.0 ├─┬ cors@2.8.5 │ ├── object-assign@4.1.1 │ └── vary@1.1.2 ├─┬ debug@4.3.7 │ └── ms@2.1.3 ├─┬ engine.io@6.6.4 │ ├─┬ @types/cors@2.8.17 │ │ └── @types/node@22.13.9 deduped │ ├─┬ @types/node@22.13.9 │ │ └── undici-types@6.20.0 │ ├── accepts@1.3.8 deduped │ ├── base64id@2.0.0 deduped │ ├── cookie@0.7.2 │ ├── cors@2.8.5 deduped │ ├── debug@4.3.7 deduped │ ├── engine.io-parser@5.2.3 │ └─┬ ws@8.17.1 │ ├── UNMET OPTIONAL DEPENDENCY bufferutil@^4.0.1 │ └── UNMET OPTIONAL DEPENDENCY utf-8-validate@>=5.0.2 ├─┬ socket.io-adapter@2.5.5 │ ├── debug@4.3.7 deduped │ └── ws@8.17.1 deduped └─┬ socket.io-parser@4.2.4 ├── @socket.io/component-emitter@3.1.2 └── debug@4.3.7 deduped info The type declarations for 3rd party packages are included, in order to ease the use of the library for TypeScript users (but at the cost of a slightly-larger package). See also: https://github.com/microsoft/types-publisher/issues/81#issuecomment-234051345 Transitive versions The engine.io package brings the engine that is responsible for managing the low-level connections (HTTP long-polling or WebSocket). See also: How it works socket.io version engine.io version ws version 4.8.x 6.6.x 8.17.x 4.7.x 6.5.x 8.17.x 4.6.x 6.4.x 8.11.x 4.5.x 6.2.x 8.2.x 4.4.x 6.1.x 8.2.x 4.3.x 6.0.x 8.2.x 4.2.x 5.2.x 7.4.x 4.1.x 5.1.x 7.4.x 4.0.x 5.0.x 7.4.x 3.1.x 4.1.x 7.4.x 3.0.x 4.0.x 7.4.x 2.5.x 3.6.x 7.5.x 2.4.x 3.5.x 7.4.x Edit this page Last updated on Nov 15, 2025 Previous Memory usage Next Initialization Prerequisites Installation Additional packages Other WebSocket server implementations Usage with µWebSockets.js Usage with Bun Installation Usage Miscellaneous Dependency tree Transitive versions Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/namespaces/#complete-api | Namespaces | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Adapters Advanced Namespaces Custom parser Admin UI Usage with PM2 Load testing Performance tuning Migrations Miscellaneous Advanced Namespaces Version: 4.x On this page Namespaces A Namespace is a communication channel that allows you to split the logic of your application over a single shared connection (also called "multiplexing"). Introduction Each namespace has its own: event handlers io . of ( "/orders" ) . on ( "connection" , ( socket ) => { socket . on ( "order:list" , ( ) => { } ) ; socket . on ( "order:create" , ( ) => { } ) ; } ) ; io . of ( "/users" ) . on ( "connection" , ( socket ) => { socket . on ( "user:list" , ( ) => { } ) ; } ) ; rooms const orderNamespace = io . of ( "/orders" ) ; orderNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; orderNamespace . to ( "room1" ) . emit ( "hello" ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; // distinct from the room in the "orders" namespace userNamespace . to ( "room1" ) . emit ( "holà" ) ; } ) ; middlewares const orderNamespace = io . of ( "/orders" ) ; orderNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "orders" namespace, and then next ( ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "users" namespace, and then next ( ) ; } ) ; Possible use cases: you want to create a special namespace that only authorized users have access to, so the logic related to those users is separated from the rest of the application const adminNamespace = io . of ( "/admin" ) ; adminNamespace . use ( ( socket , next ) => { // ensure the user has sufficient rights next ( ) ; } ) ; adminNamespace . on ( "connection" , socket => { socket . on ( "delete user" , ( ) => { // ... } ) ; } ) ; your application has multiple tenants so you want to dynamically create one namespace per tenant const workspaces = io . of ( / ^\/\w+$ / ) ; workspaces . on ( "connection" , socket => { const workspace = socket . nsp ; workspace . emit ( "hello" ) ; } ) ; Main namespace Until now, you interacted with the main namespace, called / . The io instance inherits all of its methods: io . on ( "connection" , ( socket ) => { } ) ; io . use ( ( socket , next ) => { next ( ) } ) ; io . emit ( "hello" ) ; // are actually equivalent to io . of ( "/" ) . on ( "connection" , ( socket ) => { } ) ; io . of ( "/" ) . use ( ( socket , next ) => { next ( ) } ) ; io . of ( "/" ) . emit ( "hello" ) ; Some tutorials may also mention io.sockets , it's simply an alias for io.of("/") . io . sockets === io . of ( "/" ) Custom namespaces To set up a custom namespace, you can call the of function on the server-side: const nsp = io . of ( "/my-namespace" ) ; nsp . on ( "connection" , socket => { console . log ( "someone connected" ) ; } ) ; nsp . emit ( "hi" , "everyone!" ) ; Client initialization Same-origin version: const socket = io ( ) ; // or io("/"), the main namespace const orderSocket = io ( "/orders" ) ; // the "orders" namespace const userSocket = io ( "/users" ) ; // the "users" namespace Cross-origin/Node.js version: const socket = io ( "https://example.com" ) ; // or io("https://example.com/"), the main namespace const orderSocket = io ( "https://example.com/orders" ) ; // the "orders" namespace const userSocket = io ( "https://example.com/users" ) ; // the "users" namespace In the example above, only one WebSocket connection will be established, and the packets will automatically be routed to the right namespace. Please note that multiplexing will be disabled in the following cases: multiple creation for the same namespace const socket1 = io ( ) ; const socket2 = io ( ) ; // no multiplexing, two distinct WebSocket connections different domains const socket1 = io ( "https://first.example.com" ) ; const socket2 = io ( "https://second.example.com" ) ; // no multiplexing, two distinct WebSocket connections usage of the forceNew option const socket1 = io ( ) ; const socket2 = io ( "/admin" , { forceNew : true } ) ; // no multiplexing, two distinct WebSocket connections Dynamic namespaces It is also possible to dynamically create namespaces, either with a regular expression: io . of ( / ^\/dynamic-\d+$ / ) ; or with a function: io . of ( ( name , auth , next ) => { next ( null , true ) ; // or false, when the creation is denied } ) ; You can have access to the new namespace in the connection event: io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { const namespace = socket . nsp ; } ) ; The return value of the of() method is what we call the parent namespace, from which you can: register middlewares const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . use ( ( socket , next ) => { next ( ) } ) ; The middleware will automatically be registered on each child namespace. broadcast events const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . emit ( "hello" ) ; // will be sent to users in /dynamic-1, /dynamic-2, ... caution Existing namespaces have priority over dynamic namespaces. For example: // register "dynamic-101" namespace io . of ( "/dynamic-101" ) ; io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { // will not be called for a connection on the "dynamic-101" namespace } ) ; Complete API The complete API exposed by the Namespace instance can be found here . Edit this page Last updated on Nov 15, 2025 Previous Azure Service Bus adapter Next Custom parser Introduction Main namespace Custom namespaces Client initialization Dynamic namespaces Complete API Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://socket.io/docs/v2/ | Introduction | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 2.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Introduction Emit cheatsheet Logging and debugging Server Client Advanced Migrations Miscellaneous This is documentation for Socket.IO 2.x , which is no longer actively maintained. For up-to-date documentation, see the latest version ( 4.x ). Documentation Introduction Version: 2.x On this page Introduction What Socket.IO is Socket.IO is a library that enables real-time, bidirectional and event-based communication between the browser and the server. It consists of: a Node.js server: Source | API a Javascript client library for the browser (which can be also run from Node.js): Source | API There are also several client implementation in other languages, which are maintained by the community: Java: https://github.com/socketio/socket.io-client-java C++: https://github.com/socketio/socket.io-client-cpp Swift: https://github.com/socketio/socket.io-client-swift Dart: https://github.com/rikulo/socket.io-client-dart Python: https://github.com/miguelgrinberg/python-socketio .Net: https://github.com/Quobject/SocketIoClientDotNet How does that work? The client will try to establish a WebSocket connection if possible, and will fall back on HTTP long polling if not. WebSocket is a communication protocol which provides a full-duplex and low-latency channel between the server and the browser. More information can be found here . So, in the best-case scenario, provided that: the browser supports WebSocket ( 97% of all browsers in 2020) there is no element (proxy, firewall, ...) preventing WebSocket connections between the client and the server you can consider the Socket.IO client as a "slight" wrapper around the WebSocket API. Instead of writing: const socket = new WebSocket ( 'ws://localhost:3000' ) ; socket . onopen ( ( ) => { socket . send ( 'Hello!' ) ; } ) ; socket . onmessage ( data => { console . log ( data ) ; } ) ; You will have, on the client-side: const socket = io ( 'ws://localhost:3000' ) ; socket . on ( 'connect' , ( ) => { // either with send() socket . send ( 'Hello!' ) ; // or with emit() and custom event names socket . emit ( 'salutations' , 'Hello!' , { 'mr' : 'john' } , Uint8Array . from ( [ 1 , 2 , 3 , 4 ] ) ) ; } ) ; // handle the event sent with socket.send() socket . on ( 'message' , data => { console . log ( data ) ; } ) ; // handle the event sent with socket.emit() socket . on ( 'greetings' , ( elem1 , elem2 , elem3 ) => { console . log ( elem1 , elem2 , elem3 ) ; } ) ; The API on the server-side is similar, you also get an socket object which extends the Node.js EventEmitter class: const io = require ( 'socket.io' ) ( 3000 ) ; io . on ( 'connection' , socket => { // either with send() socket . send ( 'Hello!' ) ; // or with emit() and custom event names socket . emit ( 'greetings' , 'Hey!' , { 'ms' : 'jane' } , Buffer . from ( [ 4 , 3 , 3 , 1 ] ) ) ; // handle the event sent with socket.send() socket . on ( 'message' , ( data ) => { console . log ( data ) ; } ) ; // handle the event sent with socket.emit() socket . on ( 'salutations' , ( elem1 , elem2 , elem3 ) => { console . log ( elem1 , elem2 , elem3 ) ; } ) ; } ) ; Socket.IO provides additional features over a plain WebSocket object, which are listed below . But first, let's detail what the Socket.IO library is not. What Socket.IO is not Socket.IO is NOT a WebSocket implementation. Although Socket.IO indeed uses WebSocket as a transport when possible, it adds additional metadata to each packet. That is why a WebSocket client will not be able to successfully connect to a Socket.IO server, and a Socket.IO client will not be able to connect to a plain WebSocket server either. // WARNING: the client will NOT be able to connect! const socket = io ( 'ws://echo.websocket.org' ) ; If you are looking for a plain WebSocket server, please take a look at ws or uWebSockets.js . There are also talks to include a WebSocket server in the Node.js core. On the client-side, you might be interested by the robust-websocket package. Minimal working example If you are new to the Node.js ecosystem, please take a look at the Get Started guide, which is ideal for beginners. Else, let's start right away! The server library can be installed from NPM: $ npm install socket.io More information about the installation can be found in the Server installation page. Then, let's create an index.js file, with the following content: const content = require ( 'fs' ) . readFileSync ( __dirname + '/index.html' , 'utf8' ) ; const httpServer = require ( 'http' ) . createServer ( ( req , res ) => { // serve the index.html file res . setHeader ( 'Content-Type' , 'text/html' ) ; res . setHeader ( 'Content-Length' , Buffer . byteLength ( content ) ) ; res . end ( content ) ; } ) ; const io = require ( 'socket.io' ) ( httpServer ) ; io . on ( 'connection' , socket => { console . log ( 'connect' ) ; } ) ; httpServer . listen ( 3000 , ( ) => { console . log ( 'go to http://localhost:3000' ) ; } ) ; Here, a classic Node.js HTTP server is started to serve the index.html file, and the Socket.IO server is attached to it. Please see the Server initialization page for the various ways to create a server. Let's create the index.html file next to it: <! DOCTYPE html > < html lang = " en " > < head > < meta charset = " UTF-8 " > < title > Minimal working example </ title > </ head > < body > < ul id = " events " > </ ul > < script src = " /socket.io/socket.io.js " > </ script > < script > const $events = document . getElementById ( 'events' ) ; const newItem = ( content ) => { const item = document . createElement ( 'li' ) ; item . innerText = content ; return item ; } ; const socket = io ( ) ; socket . on ( 'connect' , ( ) => { $events . appendChild ( newItem ( 'connect' ) ) ; } ) ; </ script > </ body > </ html > Finally, let's start our server: $ node index.js And voilà! The socket object on both sides extends the EventEmitter class, so: sending an event is done with: socket.emit() receiving an event is done by registering a listener: socket.on(<event name>, <listener>) To send an event from the server to the client Let's update the index.js file (server-side): io . on ( 'connection' , socket => { let counter = 0 ; setInterval ( ( ) => { socket . emit ( 'hello' , ++ counter ) ; } , 1000 ) ; } ) ; And the index.html file (client-side): const socket = io ( ) ; socket . on ( 'connect' , ( ) => { $events . appendChild ( newItem ( 'connect' ) ) ; } ) ; socket . on ( 'hello' , ( counter ) => { $events . appendChild ( newItem ( ` hello - ${ counter } ` ) ) ; } ) ; Demo: To send a message from the client to the server Let's update the index.js file (server-side): io . on ( 'connection' , socket => { socket . on ( 'hey' , data => { console . log ( 'hey' , data ) ; } ) ; } ) ; And the index.html file (client-side): const socket = io ( ) ; socket . on ( 'connect' , ( ) => { $events . appendChild ( newItem ( 'connect' ) ) ; } ) ; let counter = 0 ; setInterval ( ( ) => { ++ counter ; socket . emit ( 'hey' , { counter } ) ; // the object will be serialized for you } , 1000 ) ; Demo: Now, let's detail the features provided by Socket.IO. Features Its main features are: Reliability Connections are established even in the presence of: proxies and load balancers. personal firewall and antivirus software. For this purpose, it relies on Engine.IO , which first establishes a long-polling connection, then tries to upgrade to better transports that are "tested" on the side, like WebSocket. Please see the Goals section for more information. Auto-reconnection support Unless instructed otherwise a disconnected client will try to reconnect forever, until the server is available again. Please see the available reconnection options here . Disconnection detection A heartbeat mechanism is implemented at the Engine.IO level, allowing both the server and the client to know when the other one is not responding anymore. That functionality is achieved with timers set on both the server and the client, with timeout values (the pingInterval and pingTimeout parameters) shared during the connection handshake. Those timers require any subsequent client calls to be directed to the same server, hence the sticky-session requirement when using multiples nodes. Binary support Any serializable data structures can be emitted, including: ArrayBuffer and Blob in the browser ArrayBuffer and Buffer in Node.js Multiplexing support In order to create separation of concerns within your application (for example per module, or based on permissions), Socket.IO allows you to create several Namespaces , which will act as separate communication channels but will share the same underlying connection. Edit this page Last updated on Nov 15, 2025 Next Emit cheatsheet What Socket.IO is How does that work? What Socket.IO is not Minimal working example To send an event from the server to the client To send a message from the client to the server Features Reliability Auto-reconnection support Disconnection detection Binary support Multiplexing support Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/custom-parser/ | Custom parser | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Adapters Advanced Namespaces Custom parser Admin UI Usage with PM2 Load testing Performance tuning Migrations Miscellaneous Advanced Custom parser Version: 4.x On this page Custom parser Since Socket.IO v2.0.0, it is now possible to provide your own parser, in order to control the marshalling / unmarshalling of packets. Server import { Server } from "socket.io" ; const io = new Server ( { parser : myParser } ) ; Client import { io } from "socket.io-client" ; const socket = io ( { parser : myParser } ) ; Available parsers Besides the default parser , here is the list of available parsers: Package Description socket.io-circular-parser Similar to the default parser, but handles circular references. socket.io-msgpack-parser Uses MessagePack to encode the packets (based on the notepack.io package). @skgdev/socket.io-msgpack-javascript Uses MessagePack to encode the packets (based on the @msgpack/msgpack package). socket.io-json-parser Uses JSON.stringify() and JSON.parse() to encode the packets. socket.io-cbor-x-parser Uses cbor-x to encode the packets. @socket.io/devalue-parser Uses devalue to encode the packets. Implementing your own parser Here is a basic example with a parser that uses the JSON.stringify() and JSON.parse() methods: import { Emitter } from "@socket.io/component-emitter" ; // polyfill of Node.js EventEmitter in the browser class Encoder { /** * Encode a packet into a list of strings/buffers */ encode ( packet ) { return [ JSON . stringify ( packet ) ] ; } } function isObject ( value ) { return Object . prototype . toString . call ( value ) === "[object Object]" ; } class Decoder extends Emitter { /** * Receive a chunk (string or buffer) and optionally emit a "decoded" event with the reconstructed packet */ add ( chunk ) { const packet = JSON . parse ( chunk ) ; if ( this . isPacketValid ( packet ) ) { this . emit ( "decoded" , packet ) ; } else { throw new Error ( "invalid format" ) ; } } isPacketValid ( { type , data , nsp , id } ) { const isNamespaceValid = typeof nsp === "string" ; const isAckIdValid = id === undefined || Number . isInteger ( id ) ; if ( ! isNamespaceValid || ! isAckIdValid ) { return false ; } switch ( type ) { case 0 : // CONNECT return data === undefined || isObject ( data ) ; case 1 : // DISCONNECT return data === undefined ; case 2 : // EVENT return Array . isArray ( data ) && typeof data [ 0 ] === "string" ; case 3 : // ACK return Array . isArray ( data ) ; case 4 : // CONNECT_ERROR return isObject ( data ) ; default : return false ; } } /** * Clean up internal buffers */ destroy ( ) { } } export const parser = { Encoder , Decoder } ; The default parser The source code of the default parser (the socket.io-parser package) can be found here: https://github.com/socketio/socket.io-parser Example of output: basic emit socket . emit ( "test" , 42 ) ; will be encoded as: 2["test",42] || |└─ JSON-encoded payload └─ packet type (2 => EVENT) emit with binary, acknowledgement and custom namespace socket . emit ( "test" , Uint8Array . from ( [ 42 ] ) , ( ) => { console . log ( "ack received" ) ; } ) ; will be encoded as: 51-/admin,13["test",{"_placeholder":true,"num":0}] |||| || └─ JSON-encoded payload with placeholders for binary attachments |||| |└─ acknowledgement id |||| └─ separator |||└─ namespace (not included when it's the main namespace) ||└─ separator |└─ number of binary attachments └─ packet type (5 => BINARY EVENT) and an additional attachment (the extracted Uint8Array) Pros: the binary attachments is then base64-encoded, so this parser is compatible with browsers that do not support Arraybuffers , like IE9 Cons: packets with binary content are sent as two distinct WebSocket frames (if the WebSocket connection is established) The msgpack parser This parser uses the MessagePack serialization format. The source code of this parser can be found here: https://github.com/socketio/socket.io-msgpack-parser Sample usage: Server import { Server } from "socket.io" ; import customParser from "socket.io-msgpack-parser" ; const io = new Server ( { parser : customParser } ) ; Client (Node.js) import { io } from "socket.io-client" ; import customParser from "socket.io-msgpack-parser" ; const socket = io ( "https://example.com" , { parser : customParser } ) ; In the browser, there is now an official bundle which includes this parser: https://cdn.socket.io/4.8.1/socket.io.msgpack.min.js cdnjs: https://cdnjs.cloudflare.com/ajax/libs/socket.io/4.8.1/socket.io.msgpack.min.js jsDelivr: https://cdn.jsdelivr.net/npm/socket.io-client@4.8.1/dist/socket.io.msgpack.min.js unpkg: https://unpkg.com/socket.io-client@4.8.1/dist/socket.io.msgpack.min.js In that case, you don't need to specify the parser option. Pros: packets with binary content are sent as one single WebSocket frame (if the WebSocket connection is established) may result in smaller payloads (especially when using a lot of numbers) Cons: incompatible with browsers that do not support Arraybuffers , like IE9 harder to debug in the Network tab of the browser info Please note that socket.io-msgpack-parser relies on the notepack.io MessagePack implementation. This implementation mainly focuses on performance and minimal bundle size, and thus does not support features like extension types. For a parser based on the official JavaScript implementation , please check this package . Edit this page Last updated on Nov 15, 2025 Previous Namespaces Next Admin UI Available parsers Implementing your own parser The default parser The msgpack parser Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://ruul.io/blog/how-to-use-invoice-generators-for-effective-invoice-tracking#$%7Bid%7D | Effective Tips for Using Invoice Generators Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up get paid How to Use Invoice Generators for Effective Invoice Tracking Improve your business cash flow with effective invoice tracking. Discover how invoice generators can streamline your process. Eran Karaso 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Invoicing is a fundamental part of business operations, regardless of size or industry. Whether you’re a freelancer, a small business owner, or managing a large enterprise, creating, sending, and tracking invoices efficiently is crucial for ensuring cash flow and maintaining good client relationships. With the advancement of digital tools, invoice generators have become invaluable for streamlining these processes. This blog post explores how to use invoice generators effectively to enhance invoice tracking and overall financial management. Understanding Invoice Generators Invoice generators are digital tools or software applications designed to automate the creation and management of invoices. They allow users to input data like client details, services or products sold, tax information, and payment terms, generating professional invoices in seconds. Many modern generators also come with built-in tracking features, making it easy to monitor the status of each invoice, from creation to payment. While the basic function of an invoice generator is to create invoices, these tools often come packed with additional features such as expense tracking, payment reminders, tax calculations, and reporting. Many platforms integrate with accounting software and payment gateways, allowing for seamless financial management. Key Benefits of Using Invoice Generators Before diving into how to use invoice generators for effective tracking, it's essential to understand the key benefits of these tools: Time Efficiency : Invoice generators eliminate the need for manual invoicing, saving valuable time and reducing errors. Templates and automation features allow you to create invoices quickly and easily. Professionalism : Invoice generators provide standardized, professional-looking templates that can be customized with your branding. This improves your business image and fosters trust with clients. Centralized Tracking : Many invoice generators offer tracking functionalities that allow you to monitor the status of invoices—whether they’re sent, viewed, or paid. This helps you stay on top of outstanding payments. Automated Reminders : These tools can send automatic payment reminders to clients, reducing the need for manual follow-ups and ensuring timely payments. Integration with Other Tools : Most invoice generators integrate with accounting software and payment processors, simplifying the reconciliation of transactions and overall financial management. Access to Financial Data : Invoice generators provide reports and insights on your income, outstanding invoices, and overdue payments, making it easier to keep track of your financial health. Platforms like Ruul, help you generate invoices without having expert information about invoices or global regulations. It has its own ready templates based on global standards to make things very easy for freelancers. Steps to Use Invoice Generators for Effective Tracking Now that we’ve explored the benefits of invoice generators, let’s walk through the steps to using them for efficient invoice tracking. 1. Choose the Right Invoice Generator The first step to effective invoice tracking is selecting the right invoice generator for your business needs. There are several options available, each offering a unique set of features. Some popular choices include: Ruul : Designed for freelancers and digital nomads, Ruul offers a comprehensive invoicing solution with added features for tracking and managing invoices. Ruul also helps freelancers to get paid 4 times faster than other platforms. It allows accepting crypto payout and multiple payment methods include credit cards. QuickBooks : A widely-used accounting tool that includes invoice generation, payment tracking, and integration with other financial management tools. FreshBooks : Known for its user-friendly interface, FreshBooks allows businesses to manage invoices, track time, and generate reports effortlessly. Zoho Invoice : This software offers extensive customization options and is ideal for businesses looking to create branded invoices and track payments. When selecting an invoice generator, consider your specific business requirements, such as the need for customization, integration with other tools, or support for international transactions. 2. Set Up Your Business Profile Once you’ve chosen your invoice generator, the next step is to set up your business profile. This typically involves entering the following information: Company Name : Ensure that your business name is clear and accurately reflects your brand. Contact Details : Include your business address, phone number, and email. Tax Information : Add your VAT number or any relevant tax identification details to ensure compliance with local regulations. Logo and Branding : Most invoice generators allow you to upload your company logo and customize the color scheme to match your brand identity. Setting up a professional-looking invoice template will not only improve your brand image but also help you stand out to clients. 3. Create an Invoice Template One of the major advantages of using an invoice generator is the ability to create reusable templates. You can design a template that includes all the necessary elements, such as: Client Details : Include the client’s name, address, and contact information. Invoice Number : Assign a unique number to each invoice for easy reference and tracking. Itemized List of Products or Services : Clearly list the services or products provided, along with the corresponding prices. Tax Information : Ensure that applicable taxes (such as VAT) are calculated correctly. Total Amount Due : Make the total amount due prominently visible. Payment Terms : Include payment terms such as due date, payment methods accepted, and late payment penalties if applicable. Creating a standard template will streamline your invoicing process and ensure that all necessary details are included. 4. Send Invoices and Track Their Status Once your invoice template is set up, you can start creating and sending invoices. Most invoice generators allow you to send invoices via email directly from the platform. This eliminates the need for external communication tools and centralizes your invoice management. Tracking the status of sent invoices is a critical feature that enhances the overall efficiency of invoice management. Here's how tracking works: Sent Status : Once you’ve sent an invoice, the generator marks it as “sent,” allowing you to see which invoices are currently awaiting action from the client. Viewed Status : Some platforms notify you when the client has viewed the invoice. This helps you confirm that the invoice was received and acknowledged. Paid Status : Once the client makes the payment, the invoice status changes to “paid.” Many platforms also allow clients to pay directly through the invoice using integrated payment gateways. Tracking the status of each invoice in real time enables you to monitor the progress of payments and reduce the likelihood of overdue accounts. 5. Set Up Automated Reminders One of the most powerful features of invoice generators is the ability to automate payment reminders. Clients sometimes forget or delay payments, but manual follow-ups can be time-consuming. By setting up automatic reminders, you can gently nudge clients to settle their invoices without the need for personal intervention. Most platforms allow you to customize the timing and frequency of reminders. For example, you can schedule reminders to be sent a few days before the payment is due, on the due date, and if the payment becomes overdue. Automating this process ensures timely follow-ups and reduces the chances of delayed payments. 6. Generate Reports and Monitor Cash Flow Effective invoice tracking goes beyond sending and receiving invoices—it involves monitoring your financial performance over time. Invoice generators often provide reporting features that allow you to track your cash flow, outstanding invoices, and overall financial health. By generating reports, you can: Identify Overdue Invoices : Quickly see which clients have outstanding payments and take appropriate action. Analyze Revenue Trends : Track your income over time to identify trends and predict future earnings. Assess Client Payment History : Monitor which clients consistently pay on time and which clients are frequently late, helping you adjust payment terms if needed. These reports provide valuable insights that help you make informed decisions about your business and maintain a healthy cash flow. Ruul is an ideal platform for freelancers, particularly those in fields like graphic design, offering seamless solutions for fast payment collection and managing finances. With Ruul's online invoice generation , freelancers can easily create professional invoices and track payments in real time, reducing the stress of late payments that often occur in freelance jobs. This tool is especially useful for those in freelance graphic design jobs , ensuring that payment processes are simplified and prompt, helping freelancers focus more on their creative work without worrying about chasing down overdue payments. ABOUT THE AUTHOR Eran Karaso Eran Karaso is a marketing and brand strategy leader with more than a decade of experience helping global tech companies connect with their audiences. He’s built brand narratives that stick, led successful go-to-market strategies, and worked hand-in-hand with cross-functional teams to ensure everyone is on the same page. More 7 podcast episodes that will boost your creativity Discover the best motivational and informative podcasts to expand your brain's limits and improve your creativity in 2022. Read more It’s time to talk about late payment issues Let's address the elephant in the room: late payment issues. Explore strategies to tackle this common challenge and ensure you get paid on time! Read more What Is Contra and How Can Freelancers Use It? Discover how Contra works as a freelance platform. Learn its features, pricing, and real use cases. All in one place. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://ruul.io/blog/how-to-use-your-tiktok-bio-link-to-get-clients | How to Use Your TikTok Bio Link to Get More Clients Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow How to Use Your TikTok Bio Link to Get Clients Learn how to optimize your TikTok bio link, attract new clients, and drive traffic to your business with this step-by-step guide. Canan Başer 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Use your TikTok bio link strategically to drive traffic, leads, and sales. Match the link to your content (e.g., link directly to products or services featured in your videos). Promote offers like discounts or time-sensitive deals, and highlight them in captions or videos. Choose mobile-friendly landing pages with fast load times and simple layouts for better conversions. Ruul Space can help you create personalized landing pages with checkout features for seamless sales. TikTok bio link will help you build engagement, move followers to other platforms, and turn views into paying clients. TikTok isn’t just for dances and trending sounds anymore. It’s a serious tool for digital professionals—freelancers, marketers, coaches, creators—looking to sell services and grow a client base. If you're not using your TikTok bio link strategically, you're leaving opportunities on the table. With this article, we prepared a guide to show how to turn that single clickable URL into a smooth, client-converting engine on TikTok. Why is your TikTok bio link important? Your bio link is more than a spot for your website. It's your call to action. It bridges your content with actual business results—bookings, signups, purchases. It has the power to direct your followers to take meaningful actions, such as browsing your products, booking your services, or joining your email list. Think of it as your checkout page—compact, clickable, and full of potential. A well-placed bio link can turn your followers into paying customers . Who can add a bio link to TikTok? Not everyone gets access by default. Here are the rules: Hit 1,000 followers to activate the clickable link option. Focus on consistent, useful content to grow your audience. Switch to a TikTok Business Account. Some business accounts can add a link earlier—especially if linked to a registered business. Proof of business registration is the only other option if you don’t have 1,000 followers. How to switch to a TikTok Business Account Go to your TikTok profile Tap the menu (top-right corner) Head to Settings and Privacy → Account Tap Switch to Business Account Choose your category and finish the setup This info can also be helpful: What’s the difference between a Business Account and a Creator Account? Business Account gives you access to a clickable link (sometimes even before 1K followers), analytics, and commercial tools. Creator Account gives access to trending audio, monetization features, and TikTok Creator Fund. Tip: Business Accounts are best for selling services . If trending sounds are core to your content, weigh the trade-off before switching. Once done, you’re ready to use your profile for client conversion. Which links can you add to your TikTok bio? Your link needs to match your goal. It’s not just about having one—it’s about having the right one. Here’s a breakdown of smart link types, with examples of how each can support your services and audience journey: Website or portfolio Best for: Freelancers, designers, developers, consultants Why it works: It acts as your digital storefront. Visitors can browse your work, read testimonials, and contact you. Use when you want to: Build trust through your past work Present your full service menu Direct people to a central hub for everything you offer Example: A freelance web developer links to a portfolio page that shows before-and-after site builds, service packages, and a lead form. Booking page Best for: Coaches, consultants, mentors, service-based pros Why it works: Cuts the back-and-forth. Your audience watches your video, clicks your link, and books time instantly. Use when you want to: Book discovery calls or sessions Offer limited 1:1 availability Example: A business coach posts a TikTok with tips on client acquisition. The link goes straight to their “Book a free 15-minute strategy call” page. Digital products or offers Best for: Course creators, digital product sellers, template makers, service package sellers Why it works: Viewers get value immediately—especially if it connects to the content you just posted. Use when you want to: Sell an eBook, guide, or template Promote a new launch or discount Monetize directly from your TikTok traffic Package your services Example: A social media manager creates a package of 15 posts on their Ruul Space and adds the link so the client can just click and buy it. Social media channels Best for: Content creators, influencers, artists Why it works: Let TikTok feed your broader community. YouTube deep-dives, Instagram updates, LinkedIn posts or live interactions—all of it extends engagement. Use when you want to: Move followers to a platform where you post longer or richer content Share exclusive content like stories, live streams, or tutorials Build a closer community Example: A makeup artist uses TikTok for short tutorials, but their Instagram shows full looks, product lists, and hosts Q&As. The link takes you there. Pro tip Make sure your link destination is mobile-first. Over 90% of TikTok users browse on mobile. Slow load times or non-responsive pages can instantly kill conversions. Use simple layouts, big buttons, and quick-loading visuals. Strategies for using your TikTok bio link effectively If your bio link is ready, let’s see how you can make the most out of it. Here’s how to maximize its impact: 1. Match the link to your content If you’re showing a product in a video, make sure the link in your bio takes viewers straight to that item’s purchase page. Keep it simple and make it easy for people to act on their interest without any extra steps. 2. Promote special offers Run time-sensitive promos or sales, and make sure the linked page clearly shows all the details. Mention the deal right in your captions or videos, and add a CTA like, “Don’t miss out—grab yours now, link in bio!” 3. Choose a platform that closes the deal Opt for landing pages or platforms that allow for a seamless checkout process. Remember, the rule is “minimum steps to sales”. So your TikTok bio link should have a checkout feature. Ruul Space offers eye-catching design, personalized URL + billing and checkout service for freelancers. Create your Space for free. Build client connections with TikTok Use landing pages, track your results, and add the right links to your profile to create a smooth experience that keeps your audience engaged. But engagement isn’t the end goal, right? You can actually turn those views into leads or paying clients. Start by tweaking your bio link—you’ll be surprised how small changes can make a big difference. Frequently asked question Why isn’t my bio link clickable? This usually happens if: You're using a Personal or Creator Account under 1K followers You haven’t properly added the link in the Website field TikTok has restricted or blocked the URL you're using Make sure: You use a Business Account You add the link via Edit Profile > Website The link starts with https:// and leads to a mobile-optimized page Why can’t others see my link, even though it shows up on my end? This is a known issue. It might be due to: App version mismatch (viewers on older versions may not see links) Regional or device-specific bugs Cached data Try: Clearing cache, updating the app, or switching devices to test visibility. Why does TikTok say my link is not allowed? TikTok blocks certain links and link services. Common reasons: URL flagged as unsafe or spammy Platform-wide bans on specific domains (some link aggregators have been affected) Avoid shortened links (like bit.ly), which TikTok may treat as suspicious. Does using “link in bio” in my captions affect reach? Some creators believe using phrases like “link in bio” or “buy now” might reduce a video’s reach due to TikTok’s algorithm detecting salesy language. Alternatives to say instead: “Check the link on my profile” “Tap my name for details” “Info at the top” These avoid direct callouts that may impact visibility. Can I track who’s clicking my TikTok bio link? Yes—if you use a landing page or link-in-bio tool with built-in analytics. Look for tools that track: Total clicks CTR (Click-through rates) Traffic sources ABOUT THE AUTHOR Canan Başer Developing and implementing creative growth strategies. At Ruul, I focus on strengthening our brand and delivering real value to our global community through impactful content and marketing projects. More How Can Freelancers Spot Fake Job Postings on Upwork? Don't waste time on fake Upwork jobs. Learn how to spot them and protect your time and energy. Click to uncover the signs of fake jobs! Read more How to Get Paid as a Freelancer Don't let payments ruin your business! We've covered everything from the most important steps to the best methods! Read more 6 time tracking tools for freelancers Check out our time tracking tool list with the top 6 options for freelancers, complete with pros and cons, and find the perfect solution for managing your time. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://socket.io/docs/v3/namespaces/ | Namespaces | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 3.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Advanced Namespaces Custom parser Migrations Miscellaneous This is documentation for Socket.IO 3.x , which is no longer actively maintained. For up-to-date documentation, see the latest version ( 4.x ). Advanced Namespaces Version: 3.x On this page Namespaces A Namespace is a communication channel that allows you to split the logic of your application over a single shared connection (also called "multiplexing"). Introduction Each namespace has its own: event handlers io . of ( "/orders" ) . on ( "connection" , ( socket ) => { socket . on ( "order:list" , ( ) => { } ) ; socket . on ( "order:create" , ( ) => { } ) ; } ) ; io . of ( "/users" ) . on ( "connection" , ( socket ) => { socket . on ( "user:list" , ( ) => { } ) ; } ) ; rooms const orderNamespace = io . of ( "/orders" ) ; orderNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; orderNamespace . to ( "room1" ) . emit ( "hello" ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; // distinct from the room in the "orders" namespace userNamespace . to ( "room1" ) . emit ( "holà" ) ; } ) ; middlewares const orderNamespace = io . of ( "/orders" ) ; orderNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "orders" namespace, and then next ( ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "users" namespace, and then next ( ) ; } ) ; Possible use cases: you want to create a special namespace that only authorized users have access to, so the logic related to those users is separated from the rest of the application const adminNamespace = io . of ( "/admin" ) ; adminNamespace . use ( ( socket , next ) => { // ensure the user has sufficient rights next ( ) ; } ) ; adminNamespace . on ( "connection" , socket => { socket . on ( "delete user" , ( ) => { // ... } ) ; } ) ; your application has multiple tenants so you want to dynamically create one namespace per tenant const workspaces = io . of ( / ^\/\w+$ / ) ; workspaces . on ( "connection" , socket => { const workspace = socket . nsp ; workspace . emit ( "hello" ) ; } ) ; Main namespace Until now, you interacted with the main namespace, called / . The io instance inherits all of its methods: io . on ( "connection" , ( socket ) => { } ) ; io . use ( ( socket , next ) => { next ( ) } ) ; io . emit ( "hello" ) ; // are actually equivalent to io . of ( "/" ) . on ( "connection" , ( socket ) => { } ) ; io . of ( "/" ) . use ( ( socket , next ) => { next ( ) } ) ; io . of ( "/" ) . emit ( "hello" ) ; Some tutorials may also mention io.sockets , it's simply an alias for io.of("/") . io . sockets === io . of ( "/" ) Custom namespaces To set up a custom namespace, you can call the of function on the server-side: const nsp = io . of ( "/my-namespace" ) ; nsp . on ( "connection" , socket => { console . log ( "someone connected" ) ; } ) ; nsp . emit ( "hi" , "everyone!" ) ; Client initialization Same-origin version: const socket = io ( ) ; // or io("/"), the main namespace const orderSocket = io ( "/orders" ) ; // the "orders" namespace const userSocket = io ( "/users" ) ; // the "users" namespace Cross-origin/Node.js version: const socket = io ( "https://example.com" ) ; // or io("https://example.com/"), the main namespace const orderSocket = io ( "https://example.com/orders" ) ; // the "orders" namespace const userSocket = io ( "https://example.com/users" ) ; // the "users" namespace In the example above, only one WebSocket connection will be established, and the packets will automatically be routed to the right namespace. Please note that multiplexing will be disabled in the following cases: multiple creation for the same namespace const socket1 = io ( ) ; const socket2 = io ( ) ; // no multiplexing, two distinct WebSocket connections different domains const socket1 = io ( "https://first.example.com" ) ; const socket2 = io ( "https://second.example.com" ) ; // no multiplexing, two distinct WebSocket connections usage of the forceNew option const socket1 = io ( ) ; const socket2 = io ( "/admin" , { forceNew : true } ) ; // no multiplexing, two distinct WebSocket connections Dynamic namespaces It is also possible to dynamically create namespaces, either with a regular expression: io . of ( / ^\/dynamic-\d+$ / ) ; or with a function: io . of ( ( name , auth , next ) => { next ( null , true ) ; // or false, when the creation is denied } ) ; You can have access to the new namespace in the connection event: io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { const namespace = socket . nsp ; } ) ; The return value of the of() method is what we call the parent namespace, from which you can: register middlewares const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . use ( ( socket , next ) => { next ( ) } ) ; The middleware will automatically be registered on each child namespace. broadcast events const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . emit ( "hello" ) ; // will be sent to users in /dynamic-1, /dynamic-2, ... Complete API The complete API exposed by the Namespace instance can be found here . Edit this page Last updated on Nov 15, 2025 Previous Emit cheatsheet Next Custom parser Introduction Main namespace Custom namespaces Client initialization Dynamic namespaces Complete API Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://www.spreaker.com/episode/the-impact-of-process-on-successful-tech-companies-ml-145--59215073 | The Impact of Process on Successful Tech Companies - ML 145 Discover Your Library Search For Podcasters Your Podcasts Free Our Platform How Spreaker Works Podcasts App Spreaker Create New Prime Network Help { if (!hidden) { $refs.inputMobile.focus(); } }); if (isSearch && !query) { if (window.innerWidth Sign up Login Sign up For Podcasters Your Podcasts Free Settings Light Theme Dark Theme Our Platform How Spreaker Works Podcasts App Spreaker Create New Prime Network Help { if (this.toast) { this.toast = null; } }, timings[this.toast.type]); }, getClassType() { return { 'bg-neutral-700 dark:bg-neutral-100 text-white dark:text-neutral-950': this .toast?.type === 'default', 'bg-sky-700 text-white': this.toast?.type === 'info', 'bg-emerald-700 text-white': this.toast?.type === 'success', 'bg-red-800 text-white': this.toast?.type === 'error', 'bg-orange-400 text-neutral-950': this.toast?.type === 'warning' } } }" x-on:toast.window="showToast($event.detail)" x-show="toast" class="fixed left-0 right-0 z-10 md:left-[250px]" x-transition> Adventures in Machine Learning Transcribed Transcribed The Impact of Process on Successful Tech Companies - ML 145 Mar 28, 2024 · 1h 5m 40s Loading Play Pause Add to queue In queue { SP.Utils.setDocumentShouldScroll(!opened); })"> Download Download and listen anywhere Download your favorite episodes and enjoy them, wherever you are! Sign up or log in now to access offline listening. Sign up to download { SP.Utils.setDocumentShouldScroll(!opened); })"> Transcript The Impact of Process on Successful Tech Companies - ML 145 This automatic transcript is brought to you by AI technology. This is an automatically generated transcript. Please note that complete accuracy is not guaranteed. Support { SP.Utils.setDocumentShouldScroll(!opened); })"> Embed Embed episode `; }, copyToClipboard() { this.copyStatus = 'DONE'; SP.Utils.copyToClipboard(this.getIframeCode()); setTimeout(() => { this.copyStatus = 'IDLE'; }, 2000); } }"> Dark Light Copy Done Looking to add a personal touch? Explore all the embedding options available in our developer's guide Share on X Share on Facebook Share on Bluesky Share on Whatsapp Share on Telegram Share on LinkedIn Description Michael and Ben dive into the critical role of design in software development processes. They emphasize the value of clear and understandable code, the importance of thorough design for complex... show more Michael and Ben dive into the critical role of design in software development processes. They emphasize the value of clear and understandable code, the importance of thorough design for complex projects, and the need for comprehensive documentation and peer reviews. The conversation also delves into the challenges of handling complex code, the significance of prototype research, and the distinction between design decisions and implementation details. Through real-world examples, they illustrate the impact of rushed processes on project outcomes and the responsibility of tech leads in analyzing and deleting unused code. Join them as they explore how process and organizational culture contribute to successful outcomes in tech companies and why companies invest in skilled individuals who can work efficiently within established processes. Sponsors Chuck's Resume Template Developer Book Club Become a Top 1% Dev with a Top End Devs Membership Become a supporter of this podcast: https://www.spreaker.com/podcast/adventures-in-machine-learning--6102041/support . show less Comments Sign in to leave a comment Information Author Charles M Wood Organization Top End Devs Website topenddevs.com Tags - 🇬🇧 English 🇬🇧 English 🇮🇹 Italiano 🇪🇸 Espanõl 🇬🇧 English 🇬🇧 English 🇮🇹 Italiano 🇪🇸 Espanõl Terms Privacy {e.preventDefault(); showOneTrustPreferenceCenter();}" class="inline-flex items-center gap-2 hover:underline"> Your Privacy Choices Copyright 2026 - Spreaker Inc. an iHeartMedia Company { SP.Utils.setDocumentShouldScroll(!opened); })"> Playing Now Queue Looks like you don't have any active episode Browse Spreaker Catalogue to discover great new content Browse now Current Looks like you don't have any episodes in your queue Browse Spreaker Catalogue to discover great new content Browse now 1" class="mt-6"> Next Up Manage Done svg]:text-white"> Up Up Down Down Remove svg]:text-white"> It's so quiet here... Time to discover new episodes! Discover Your Library Search { SP.Utils.setDocumentShouldScroll(!opened); })"> Unlock Spreaker's full potential Sign up to keep listening, access your Library to pick up episodes right where you left off, and connect with your favorite creators. Experience the ultimate podcast listening on Spreaker! Sign up for free | 2026-01-13T08:48:24 |
https://ruul.io/blog/what-is-paddle-and-how-does-it-help-freelancers-sell-online#$%7Bid%7D | What is Paddle? A Freelancer’s Guide to Selling Digital Products Online Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up sell What Is Paddle And How Does It Help Freelancers Sell Online? Check out our comprehensive guide on how Paddle can help you make sales as a freelancer. Eran Karaso 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Paddle is for independent and SaaS developers. But it’s not a marketplace like; it’s a payment infrastructure… But how does this platform help freelancers sell? Can every freelancer sell here? Let's say it from the beginning: it's not for everyone. What is Paddle? Trustpilot Rating | 4.3 Paddle is a payment infrastructure that works on the MoR (Merchant of Record) model. It's for freelancers/companies developing SaaS software, and freelancers selling digital products. Today, they have 5000+ active customers. Many freelancers who want to join ask: "Will it help me make sales?" Maybe. It depends on what you sell and how. Let’s first get to know Paddle a bit closer. Understanding Paddle’s role in digital sales Paddle isn’t a marketplace. It handles payment, tax, and invoicing processes, reducing risks and operational burdens. This means: Customers won’t come to a Paddle store to buy your product People won’t even know you’re using Paddle Paddle won’t find customers for you In short: it’s just a payment infrastructure. You promote your product via your website and social platforms. So you still need to: Keep positioning your product or service to the right audience Have strategies to find your clients Build your website or portfolio Be active on social media Possibly run ads How does the sales process work? Step 1: A customer shows interest in your product. They visit your website, try the demo version, or see your ad on social media. They’re interested and want to buy. Step 2: Paddle steps in. When they click the payment button, Paddle takes over. Paddle: Offers credit card, PayPal, and other payment options Automatically adds the correct tax based on the customer’s location Issues an invoice on your behalf after the purchase What if your product is subscription-based? Say you offer a $10/month software. Paddle handles the recurring payment process. If you offer a free trial, Paddle tracks that for you. No need to worry about cancellations or renewal timing. If a customer’s card is invalid or payment fails, Paddle prompts them to update their payment info. Paddle seller fee You will be charged a fee of 5% + 50 cents per payment transaction. Can freelancers use Paddle? Yes, but not for every freelancer. In fact, it's more ideal if you're an independent developer or entrepreneur offering productized digital solutions. Paddle if for you if you: Develop a SaaS software and offer it with a monthly/yearly subscription Have resalable products such as e-books, digital design packages, software plugins, licensed content, etc. Want to develop a game/app and sell it with a subscription plan Want to sell their software to multiple countries but do not want to deal with details such as tax, VAT, and invoices However, it’s not for: Project-based freelancers (e.g., content writers, designers, consultants) Those who offer special pricing on every job and communicate directly with the customer Because Paddle is focused on a recurring or productized service. It is not for regular and project-based freelancers. Ruul is a permanent and direct problem-solving tool for independents who offer custom pricing for each job, work on a project/hourly basis, or sell service packages (like 10 blogs per month, weekly Instagram posts). Why is it ideal for SaaS developers? Paddle takes care of the hard work of subscription management, auto-renewal, trial period, cancellation, billing, and VAT calculation for you. So you can just focus on developing and marketing the software. Especially if you want to sell to Europe and VAT is holding you back, you can overcome this. Benefits of using Paddle for freelancers We said Paddle is for developer freelancers, but how can it help you when you join? Does it really solve a problem and speed up your work? Let's talk about the actual features that can be useful. 1. Tax compliance Paddle manages the tax payment alone. You don't have to work overtime to calculate VAT rates. They record sales tax in more than 100 jurisdictions. If there is an update to VAT rates in a country (very likely, because regulations tend to change constantly), Paddle will update them too. So you can stay up to date even if you don't know about it. 2. Subscription management Source You can create flexible subscription systems. You just need to enter the plan name, custom message, category, billing interval, and trial period. They also state on their website that they offer more than the classic 3 subscription system. Let's mention this again: Payments are automatically processed as tax-compliant. With flexible billing, users can easily cancel their plan, change their plan, or add an additional product to their plan. 3. Localized checkout Users love payment systems that are localized for them. It increases trust and is an additional layer of motivation to buy. And here you can customize payments in 30+ currencies and 17+ languages. 4. Fraud protection Paddle employs a team of professionals who analyze multiple variables. Their goal is to raise awareness and protect sellers against scams. For example, in one case, your customer has purchased your product and is unfairly demanding a refund. In this case, the professional team works on your behalf to dispute the refund request. Limitations freelancers should consider Despite the benefits I just listed, Paddle has a few problems: Services not allowed: Consulting, coaching and other freelance services are prohibited under Paddle's Acceptable Use Policy. Strict hiring: Many users report being rejected during the application process. Especially if their business model is not 100% digital products. If you're offering something outside the boundaries of digital downloads or SaaS, Paddle may not only be unsuitable, it may not let you in at all. How does Ruul provide a comprehensive solution for freelancers? Enter: Ruul Ruul was built with the modern independent in mind. Whether you’re selling a Notion template or a consulting package, Ruul helps you go global. Here’s how Ruul supports freelancers: Sell services and digital products: You’re not limited to just one revenue stream. Global compliance and invoicing: Work with clients in over 140 currencies, and Ruul handles the legal side. Crypto payouts: Need your money in crypto? You got it. Simple onboarding: No stress, no surprises. Just sign up and start selling. Whether you’re a designer offering branding packages or a coach selling digital workbooks, Ruul supports the entire scope of what you do. Getting started with Ruul Getting started is easy: Sign up at Ruul’s website–no fees to sign up. Set up your freelance profile and list your offerings—whether it’s services, products, or both. Start selling globally with built-in tools for invoicing, compliance, and payments. If you’re tired of fighting payment processors that don’t understand how freelancers work, Ruul is built for you. Frequently asked questions Can I use Paddle to sell my freelance services? No. Paddle does not allow the sale of services like coaching or consulting—only digital products. What types of products can I sell with Paddle? You can sell digital items such as software, subscriptions, online courses, and ebooks. Is Paddle suitable for beginners? Not always. Paddle’s strict onboarding and rejection of service-based work can make it a challenge for new freelancers. How does Ruul differ from Paddle? Ruul supports both services and digital products, handles global compliance, and offers features designed for freelancers. ABOUT THE AUTHOR Eran Karaso Eran Karaso is a marketing and brand strategy leader with more than a decade of experience helping global tech companies connect with their audiences. He’s built brand narratives that stick, led successful go-to-market strategies, and worked hand-in-hand with cross-functional teams to ensure everyone is on the same page. More How to Invoice Without a Company in Greece Explore how freelancers in Greece can easily invoice clients worldwide, manage payments, and stay compliant without needing to register a business. Read more 6 time tracking tools for freelancers Check out our time tracking tool list with the top 6 options for freelancers, complete with pros and cons, and find the perfect solution for managing your time. Read more What are the Tax Liabilities of Freelancing? Navigate the complexities of freelancing taxes with ease. Learn about income tax, self-employment tax, business expenses, international tax considerations, and state/local taxes. Optimize your tax situation with Ruul’s tools and resources, including an online tax invoice generator and crypto payout options. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/rooms/ | Rooms | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Emitting events Listening to events Broadcasting events Rooms Adapters Advanced Migrations Miscellaneous Events Rooms Version: 4.x On this page Rooms A room is an arbitrary channel that sockets can join and leave . It can be used to broadcast events to a subset of clients: info Please note that rooms are a server-only concept (i.e. the client does not have access to the list of rooms it has joined). Joining and leaving You can call join to subscribe the socket to a given channel: io . on ( "connection" , ( socket ) => { socket . join ( "some room" ) ; } ) ; And then simply use to or in (they are the same) when broadcasting or emitting: io . to ( "some room" ) . emit ( "some event" ) ; Or exclude a room: io . except ( "some room" ) . emit ( "some event" ) ; You can also emit to several rooms at the same time: io . to ( "room1" ) . to ( "room2" ) . to ( "room3" ) . emit ( "some event" ) ; In that case, a union is performed: every socket that is at least in one of the rooms will get the event once (even if the socket is in two or more rooms). You can also broadcast to a room from a given socket: io . on ( "connection" , ( socket ) => { socket . to ( "some room" ) . emit ( "some event" ) ; } ) ; In that case, every socket in the room excluding the sender will get the event. To leave a channel you call leave in the same fashion as join . Sample use cases broadcast data to each device / tab of a given user function computeUserIdFromHeaders ( headers ) { // to be implemented } io . on ( "connection" , async ( socket ) => { const userId = await computeUserIdFromHeaders ( socket . handshake . headers ) ; socket . join ( userId ) ; // and then later io . to ( userId ) . emit ( "hi" ) ; } ) ; send notifications about a given entity io . on ( "connection" , async ( socket ) => { const projects = await fetchProjects ( socket ) ; projects . forEach ( project => socket . join ( "project:" + project . id ) ) ; // and then later io . to ( "project:4321" ) . emit ( "project updated" ) ; } ) ; Disconnection Upon disconnection, sockets leave all the channels they were part of automatically, and no special teardown is needed on your part. You can fetch the rooms the Socket was in by listening to the disconnecting event: io . on ( "connection" , socket => { socket . on ( "disconnecting" , ( ) => { console . log ( socket . rooms ) ; // the Set contains at least the socket ID } ) ; socket . on ( "disconnect" , ( ) => { // socket.rooms.size === 0 } ) ; } ) ; With multiple Socket.IO servers Like global broadcasting , broadcasting to rooms also works with multiple Socket.IO servers. You just need to replace the default Adapter by the Redis Adapter. More information about it here . Implementation details The "room" feature is implemented by what we call an Adapter. This Adapter is a server-side component which is responsible for: storing the relationships between the Socket instances and the rooms broadcasting events to all (or a subset of) clients You can find the code of the default in-memory adapter here . Basically, it consists in two ES6 Maps : sids : Map<SocketId, Set<Room>> rooms : Map<Room, Set<SocketId>> Calling socket.join("the-room") will result in: in the sids Map, adding "the-room" to the Set identified by the socket ID in the rooms Map, adding the socket ID in the Set identified by the string "the-room" Those two maps are then used when broadcasting: a broadcast to all sockets ( io.emit() ) loops through the sids Map, and send the packet to all sockets a broadcast to a given room ( io.to("room21").emit() ) loops through the Set in the rooms Map, and sends the packet to all matching sockets You can access those objects with: // main namespace const rooms = io . of ( "/" ) . adapter . rooms ; const sids = io . of ( "/" ) . adapter . sids ; // custom namespace const rooms = io . of ( "/my-namespace" ) . adapter . rooms ; const sids = io . of ( "/my-namespace" ) . adapter . sids ; Notes: those objects are not meant to be directly modified, you should always use socket.join(...) and socket.leave(...) instead. in a multi-server setup, the rooms and sids objects are not shared between the Socket.IO servers (a room may only "exist" on one server and not on another). Room events Starting with socket.io@3.1.0 , the underlying Adapter will emit the following events: create-room (argument: room) delete-room (argument: room) join-room (argument: room, id) leave-room (argument: room, id) Example: io . of ( "/" ) . adapter . on ( "create-room" , ( room ) => { console . log ( ` room ${ room } was created ` ) ; } ) ; io . of ( "/" ) . adapter . on ( "join-room" , ( room , id ) => { console . log ( ` socket ${ id } has joined room ${ room } ` ) ; } ) ; Edit this page Last updated on Nov 15, 2025 Previous Broadcasting events Next Introduction Joining and leaving Sample use cases Disconnection With multiple Socket.IO servers Implementation details Room events Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://ruul.io/blog/the-great-resignation-explained-who-left-their-jobs-and-why | Blog | For Freelancers, Creators, and Indie Professionals Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow 13 Best Fiverr Alternatives Freelancers Need to Know Read POPULAR ARTICLES How to Accept Online Payments: A Comprehensive Guide for Businesses and Freelancers Learn how to set up and manage secure online payment systems for your business or freelance work. Discover popular payment methods, integration tips, security measures, and best practices to streamline transactions and boost efficiency. Top 15 Digital Nomad Jobs in 2025 Explore the 15 best digital nomad jobs in 2025, from writing to coding—fully remote, high-paying, and travel-friendly. The Ultimate Best AI Tools for Freelancers: Boosting Productivity in 2025 Discover the ultimate AI tools for freelancers in 2025 to enhance productivity and efficiency. From writing and graphic design to project management, explore top AI tools like ChatGPT, Grammarly, Canva, and more. Start optimizing your freelancing. How to Accept Cryptocurrency Payments Find the methods, benefits, and security considerations for accepting crypto payments. Know how cryptocurrencies can open new opportunities for your business. What to Sell as a Digital Product Want to make money while you sleep? From AI art to ebooks and plugins, here’s what actually sells in 2025 and makes your wallet happy! Best 13 Motivational Apps and Techniques You Need As You Work Solo Lack of motivation as an independent? See these motivation apps and techniques. get paid sell grow work news trends get paid sell grow work news trends How to Make Freelance Money I’ve mapped out the freelance income paths that will stick around until 2030. Shared all the pro tips and details in this post. Come check it out! Introducing MiniPay on Ruul: Faster Stablecoin Payment Ruul & MiniPay now bring instant, stablecoin payments with zero withdrawal fee for freelancers. Create virtual USD/EUR accounts, enjoy fast global transfers, and earn up to $275 in bonuses. Best Freelancing Websites Struggling to pick a freelancing website? These 16 categorized freelancing platforms will save your time, energy, and maybe your sanity! How to Get Paid as a Freelancer Don't let payments ruin your business! We've covered everything from the most important steps to the best methods! Designer's Guide to Dribbble All the potential Dribbble has to offer, and all the areas where it leaves you hanging. This Guide gives you all of that and more. Best Freelance Jobs You're looking for the best freelance jobs AI won't wipe out. Safe, in-demand, future-ready, long-lasting work… you'll find it all right here. MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://ruul.io/blog/uk-digital-nomad-visa-for-freelancers#$%7Bid%7D | UK Digital Nomad Visa Options for Freelancers Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up work UK Digital Nomad Visa for Freelancers Create a seamless experience with the UK Digital Nomad Visa for freelancers, exploring available visa options, benefits, and financial management. Eran Karaso 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points A digital nomad visa is designed for individuals who work remotely while traveling or living in a foreign country. It allows freelancers and remote workers to stay in a country legally while continuing to earn a living from their clients or employers outside that country. As more people seek the freedom to work from anywhere, the UK digital nomad visa could be a game-changer for freelancers looking to experience the rich culture and history of the UK while maintaining their work. In this article, we will look into the UK digital nomad visa , its benefits for freelancers, and what you need to know to get benefit from this opportunity. Does the UK Have a Digital Nomad Visa? As of now, the UK does not offer any type of digital nomad visas. However, the government has been considering options to support remote workers. Although the UK lacks a specific digital nomad visa, there are still alternative visa options that freelancers can explore, Self-Employed Visa: This visa is available for those who wish to establish themselves as self-employed in the UK. To qualify, applicants need to prove that they have a viable business plan and sufficient income to support themselves. Tourist Visa: Many freelancers choose to get a tourist visa while visiting the country, however this type of visa has its own limitations such as time and limitations of work. Tourist visa is not giving any permission for freelancers to work in the country, it is only for touristic reasons. So, it’s extremely important to understand the implications of working remotely on a tourist visa in the UK . Short-Term Study Visa: If you plan to take a short course while working, a short-term study visa might be an option. This type of visa allows you to study and work for limited hours. The Benefits of a UK Digital Nomad Visa Once the UK digital nomad visa be introduced, it would offer several advantages for freelancers: Legal Residency: A dedicated visa would allow digital nomads to live and work legally in the UK, eliminating the risk of working without proper authorization. Access to Local Resources: Freelancers could benefit from local networking opportunities, co-working spaces, and access to support services tailored for remote workers. Cultural Experiences: Living in the UK allows freelancers to immerse themselves in its diverse culture, history, and community, enriching both their personal and professional lives. Streamlined Financial Processes: Utilizing services like Ruul can make managing finances easier. Ruul offers cryptocurrency payout options, enabling freelancers to handle payouts in various cryptocurrencies, catering to modern financial needs. Navigating Your Stay in the UK If your dream is to live in UK and you are considering to work in United Kingdom as a freelancer, then these are important factors for you to keep in mind; Financial Stability: Ensure you have a solid plan for managing your finances. You may want to consider an early payment platform to secure your cash flow, allowing you to focus on your work without financial stress. Local Regulations: Stay informed about the latest regulations for self-employed visa countries and how they might apply to your situation. Understanding local laws will help you avoid legal complications during your stay. Networking Opportunities: Engage with local digital nomad communities and attend events. These connections can lead to potential collaborations and job opportunities. Finding Accommodation: Research housing options that cater to digital nomads, such as co-living spaces or short-term rentals in areas popular with remote workers. Understanding the ins and outs of the digital nomad lifestyle will help you adapt more easily to life in a new country. In summary, While the UK does not currently offer a specific digital nomad visa, the potential for such a program remains. Freelancers can explore existing visa options and prepare for their stay in the UK by understanding the legal implications and financial management strategies. Services like Ruul can assist in navigating this journey, providing solutions for global invoicing and ensuring freelancers can focus on their work without unnecessary financial worries. Ruul allows freelancers to onboard and manage their clients and international invoices extremely easily and safely. It also supports freelancers to accept multiple payment options including credit cards. It offers local & international payment methods. One of the best parts of Ruul is that Ruul initiates the payout to your preferred account immediately and handles sales tax compliance. If you are a freelancer considering living and working in the UK, working with a professional tool like Ruul will help you stay focused, maintain the cash flow and work without having troubles in management. ABOUT THE AUTHOR Eran Karaso Eran Karaso is a marketing and brand strategy leader with more than a decade of experience helping global tech companies connect with their audiences. He’s built brand narratives that stick, led successful go-to-market strategies, and worked hand-in-hand with cross-functional teams to ensure everyone is on the same page. More Money Management Tips for the Digital Nomad Looking to manage your finances on the go? Learn essential strategies for digital nomads to maintain financial stability and thrive. Read on for more information! Read more Rooted with Ruul: Meet "storyteller" Michael Burns Ruul has become a diverse community of freelance professionals, including Michael Burns, a storyteller and writer who shares tips for freelancers. Read more How to Freelance While Working Full Time? Find the right approach to balancing a full-time job with freelancing. Learn how you can manage your time, set goals, and avoid burnout with our smart tips. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://socket.io/pt-br/docs/v4/namespaces/ | Namespaces | Socket.IO Ir para o conteúdo principal Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Exemplos Emit cheatsheet API do Servidor API do cliente Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Torne-se um sponsor 4.x 4.x 3.x 2.x Changelog Português (Brasil) English Español Français Português (Brasil) 中文(中国) Buscar Socket.IO Documentação Servidor Cliente Eventos Adaptadores Avançado Namespaces Custom parser Admin UI Usage with PM2 Load testing Performance tuning Migrações Diversos Avançado Namespaces Version: 4.x Nesta página Namespaces A Namespace is a communication channel that allows you to split the logic of your application over a single shared connection (also called "multiplexing"). Introduction Each namespace has its own: event handlers io . of ( "/orders" ) . on ( "connection" , ( socket ) => { socket . on ( "order:list" , ( ) => { } ) ; socket . on ( "order:create" , ( ) => { } ) ; } ) ; io . of ( "/users" ) . on ( "connection" , ( socket ) => { socket . on ( "user:list" , ( ) => { } ) ; } ) ; rooms const orderNamespace = io . of ( "/orders" ) ; orderNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; orderNamespace . to ( "room1" ) . emit ( "hello" ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; // distinct from the room in the "orders" namespace userNamespace . to ( "room1" ) . emit ( "holà" ) ; } ) ; middlewares const orderNamespace = io . of ( "/orders" ) ; orderNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "orders" namespace, and then next ( ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "users" namespace, and then next ( ) ; } ) ; Possible use cases: you want to create a special namespace that only authorized users have access to, so the logic related to those users is separated from the rest of the application const adminNamespace = io . of ( "/admin" ) ; adminNamespace . use ( ( socket , next ) => { // ensure the user has sufficient rights next ( ) ; } ) ; adminNamespace . on ( "connection" , socket => { socket . on ( "delete user" , ( ) => { // ... } ) ; } ) ; your application has multiple tenants so you want to dynamically create one namespace per tenant const workspaces = io . of ( / ^\/\w+$ / ) ; workspaces . on ( "connection" , socket => { const workspace = socket . nsp ; workspace . emit ( "hello" ) ; } ) ; Main namespace Until now, you interacted with the main namespace, called / . The io instance inherits all of its methods: io . on ( "connection" , ( socket ) => { } ) ; io . use ( ( socket , next ) => { next ( ) } ) ; io . emit ( "hello" ) ; // are actually equivalent to io . of ( "/" ) . on ( "connection" , ( socket ) => { } ) ; io . of ( "/" ) . use ( ( socket , next ) => { next ( ) } ) ; io . of ( "/" ) . emit ( "hello" ) ; Some tutorials may also mention io.sockets , it's simply an alias for io.of("/") . io . sockets === io . of ( "/" ) Custom namespaces To set up a custom namespace, you can call the of function on the server-side: const nsp = io . of ( "/my-namespace" ) ; nsp . on ( "connection" , socket => { console . log ( "someone connected" ) ; } ) ; nsp . emit ( "hi" , "everyone!" ) ; Client initialization Same-origin version: const socket = io ( ) ; // or io("/"), the main namespace const orderSocket = io ( "/orders" ) ; // the "orders" namespace const userSocket = io ( "/users" ) ; // the "users" namespace Cross-origin/Node.js version: const socket = io ( "https://example.com" ) ; // or io("https://example.com/"), the main namespace const orderSocket = io ( "https://example.com/orders" ) ; // the "orders" namespace const userSocket = io ( "https://example.com/users" ) ; // the "users" namespace In the example above, only one WebSocket connection will be established, and the packets will automatically be routed to the right namespace. Please note that multiplexing will be disabled in the following cases: multiple creation for the same namespace const socket1 = io ( ) ; const socket2 = io ( ) ; // no multiplexing, two distinct WebSocket connections different domains const socket1 = io ( "https://first.example.com" ) ; const socket2 = io ( "https://second.example.com" ) ; // no multiplexing, two distinct WebSocket connections usage of the forceNew option const socket1 = io ( ) ; const socket2 = io ( "/admin" , { forceNew : true } ) ; // no multiplexing, two distinct WebSocket connections Dynamic namespaces It is also possible to dynamically create namespaces, either with a regular expression: io . of ( / ^\/dynamic-\d+$ / ) ; or with a function: io . of ( ( name , auth , next ) => { next ( null , true ) ; // or false, when the creation is denied } ) ; You can have access to the new namespace in the connection event: io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { const namespace = socket . nsp ; } ) ; The return value of the of() method is what we call the parent namespace, from which you can: register middlewares const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . use ( ( socket , next ) => { next ( ) } ) ; The middleware will automatically be registered on each child namespace. broadcast events const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . emit ( "hello" ) ; // will be sent to users in /dynamic-1, /dynamic-2, ... caution Existing namespaces have priority over dynamic namespaces. For example: // register "dynamic-101" namespace io . of ( "/dynamic-101" ) ; io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { // will not be called for a connection on the "dynamic-101" namespace } ) ; Complete API The complete API exposed by the Namespace instance can be found here . Editar está paginá Última atualização em 15 de nov. de 2025 Anterior Azure Service Bus adapter Próximo Custom parser Introduction Main namespace Custom namespaces Client initialization Dynamic namespaces Complete API Documentação Guide Tutorial Exemplos API do Servidor API do Cliente Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Seja um Sponsor Copyright © 2022 Socket.IO | 2026-01-13T08:48:24 |
https://developer.mozilla.org/en-US/docs/Web/API | Web APIs | MDN Skip to main content Skip to search MDN HTML HTML: Markup language HTML reference Elements Global attributes Attributes See all… HTML guides Responsive images HTML cheatsheet Date & time formats See all… Markup languages SVG MathML XML CSS CSS: Styling language CSS reference Properties Selectors At-rules Values See all… CSS guides Box model Animations Flexbox Colors See all… Layout cookbook Column layouts Centering an element Card component See all… JavaScript JS JavaScript: Scripting language JS reference Standard built-in objects Expressions & operators Statements & declarations Functions See all… JS guides Control flow & error handing Loops and iteration Working with objects Using classes See all… Web APIs Web APIs: Programming interfaces Web API reference File system API Fetch API Geolocation API HTML DOM API Push API Service worker API See all… Web API guides Using the Web animation API Using the Fetch API Working with the History API Using the Web speech API Using web workers All All web technology Technologies Accessibility HTTP URI Web extensions WebAssembly WebDriver See all… Topics Media Performance Privacy Security Progressive web apps Learn Learn web development Frontend developer course Getting started modules Core modules MDN Curriculum Learn HTML Structuring content with HTML module Learn CSS CSS styling basics module CSS layout module Learn JavaScript Dynamic scripting with JavaScript module Tools Discover our tools Playground HTTP Observatory Border-image generator Border-radius generator Box-shadow generator Color format converter Color mixer Shape generator About Get to know MDN better About MDN Advertise with us Community MDN on GitHub Blog Web Web APIs Theme OS default Light Dark English (US) Remember language Learn more Deutsch English (US) Español Français 日本語 한국어 Português (do Brasil) Русский 中文 (简体) 正體中文 (繁體) Web APIs When writing code for the Web, there are a large number of Web APIs available. Below is a list of all the APIs and interfaces (object types) that you may be able to use while developing your Web app or site. Web APIs are typically used with JavaScript, although this doesn't always have to be the case. In this article Specifications Interfaces Specifications This is a list of all the APIs that are available. A Attribution Reporting API Deprecated Audio Output Devices API Experimental B Background Fetch API Experimental Background Synchronization API Background Tasks API Badging API Barcode Detection API Experimental Battery Status API Beacon API Web Bluetooth API Experimental Broadcast Channel API C CSS Custom Highlight API CSS Font Loading API CSS Painting API Experimental CSS Properties and Values API CSS Typed Object Model API CSS Object Model (CSSOM) CSSOM view API Canvas API Channel Messaging API Clipboard API Compression Streams API Compute Pressure API Experimental Console API Contact Picker API Experimental Content Index API Experimental Cookie Store API Credential Management API D Document Object Model (DOM) Device Memory API Device orientation events Device Posture API Experimental Document Picture-in-Picture API Experimental E EditContext API Experimental Encoding API Encrypted Media Extensions API EyeDropper API Experimental F Federated Credential Management (FedCM) API Experimental Fenced Frame API Experimental Fetch API File API File System API File and Directory Entries API Force Touch events Non-standard Fullscreen API G Gamepad API Geolocation API Geometry interfaces H The HTML DOM API HTML Drag and Drop API HTML Sanitizer API Experimental History API Houdini APIs I Idle Detection API Experimental MediaStream Image Capture API IndexedDB API Ink API Experimental InputDeviceCapabilities API Experimental Insertable Streams for MediaStreamTrack API Experimental Intersection Observer API Invoker Commands API J JS Self-Profiling API Experimental K Keyboard API Experimental L Launch Handler API Experimental Local Font Access API Experimental M Media Capabilities API Media Capture and Streams API (Media Stream) Media Session API Media Source API MediaStream Recording API N Navigation API Network Information API P Page Visibility API Payment Handler API Experimental Payment Request API Performance APIs Web Periodic Background Synchronization API Experimental Permissions API Picture-in-Picture API Pointer events Pointer Lock API Popover API Presentation API Experimental Prioritized Task Scheduling API Private State Token API Experimental Push API R Remote Playback API Reporting API Resize Observer API S SVG API Screen Capture API Screen Orientation API Screen Wake Lock API Selection API Sensor APIs Server-sent events Service Worker API Shared Storage API Deprecated Speculation Rules API Experimental Storage API Storage Access API Streams API Summarizer API Experimental T Topics API Non-standard Deprecated Touch events Translator and Language Detector APIs Experimental Trusted Types API U UI Events URL API URL Fragment Text Directives URL Pattern API User-Agent Client Hints API Experimental V Vibration API View Transition API Viewport Segments API Experimental VirtualKeyboard API Experimental W Web Animations API Web Audio API Web Authentication API Web Components Web Crypto API Web Locks API Web MIDI API Web NFC API Experimental Notifications API Web Serial API Experimental Web Share API Web Speech API Web Storage API Web Workers API WebCodecs API WebGL: 2D and 3D graphics for the web WebGPU API WebHID API Experimental WebOTP API Experimental WebRTC API The WebSocket API (WebSockets) WebTransport API WebUSB API Experimental WebVR API Non-standard Deprecated WebVTT API WebXR Device API Experimental Window Controls Overlay API Experimental Window Management API Experimental X XMLHttpRequest API Interfaces This is a list of all the interfaces (that is, types of objects) that are available. A AbortController AbortSignal AbsoluteOrientationSensor AbstractRange Accelerometer Experimental AesCbcParams AesCtrParams AesDerivedKeyParams AesGcmParams AesKeyGenParams AmbientLightSensor Experimental AnalyserNode ANGLE_instanced_arrays Animation AnimationEffect AnimationEvent AnimationPlaybackEvent AnimationTimeline Attr AudioBuffer AudioBufferSourceNode AudioContext AudioData AudioDecoder AudioDestinationNode AudioEncoder AudioListener AudioNode AudioParam AudioParamDescriptor AudioParamMap AudioProcessingEvent Deprecated AudioScheduledSourceNode AudioSinkInfo Experimental AudioTrack AudioTrackList AudioWorklet AudioWorkletGlobalScope AudioWorkletNode AudioWorkletProcessor AuthenticatorAssertionResponse AuthenticatorAttestationResponse AuthenticatorResponse B BackgroundFetchEvent Experimental BackgroundFetchManager Experimental BackgroundFetchRecord Experimental BackgroundFetchRegistration Experimental BackgroundFetchUpdateUIEvent Experimental BarcodeDetector Experimental BarProp BaseAudioContext BatteryManager BeforeInstallPromptEvent Experimental Non-standard BeforeUnloadEvent BiquadFilterNode Blob BlobEvent Bluetooth Experimental BluetoothCharacteristicProperties Experimental BluetoothDevice Experimental BluetoothRemoteGATTCharacteristic Experimental BluetoothRemoteGATTDescriptor Experimental BluetoothRemoteGATTServer Experimental BluetoothRemoteGATTService Experimental BluetoothUUID BroadcastChannel BrowserCaptureMediaStreamTrack Experimental ByteLengthQueuingStrategy C Cache CacheStorage CanMakePaymentEvent Experimental CanvasCaptureMediaStreamTrack CanvasGradient CanvasPattern CanvasRenderingContext2D CaptureController Experimental CaretPosition CDATASection ChannelMergerNode ChannelSplitterNode ChapterInformation Experimental CharacterBoundsUpdateEvent Experimental CharacterData Client Clients Clipboard ClipboardEvent ClipboardItem CloseEvent CloseWatcher Experimental CommandEvent Comment CompositionEvent CompressionStream c console C ConstantSourceNode ContactAddress Experimental ContactsManager Experimental ContentIndex Experimental ContentIndexEvent Experimental ContentVisibilityAutoStateChangeEvent ConvolverNode CookieChangeEvent CookieStore CookieStoreManager CountQueuingStrategy CreateMonitor Experimental Credential CredentialsContainer CropTarget Experimental Crypto CryptoKey CryptoKeyPair CSPViolationReportBody CSS CSSAnimation CSSConditionRule CSSContainerRule CSSCounterStyleRule CSSFontFaceRule CSSFontFeatureValuesRule CSSFontPaletteValuesRule CSSFunctionDeclarations Experimental CSSFunctionDescriptors Experimental CSSFunctionRule Experimental CSSGroupingRule CSSImageValue CSSImportRule CSSKeyframeRule CSSKeyframesRule CSSKeywordValue CSSLayerBlockRule CSSLayerStatementRule CSSMathInvert CSSMathMax CSSMathMin CSSMathNegate CSSMathProduct CSSMathSum CSSMathValue CSSMatrixComponent CSSMediaRule CSSNamespaceRule CSSNestedDeclarations CSSNumericArray CSSNumericValue CSSPageDescriptors CSSPageRule CSSPerspective CSSPositionTryDescriptors CSSPositionTryRule CSSPositionValue Non-standard Deprecated CSSPrimitiveValue Deprecated CSSPropertyRule CSSPseudoElement Experimental CSSRotate CSSRule CSSRuleList CSSScale CSSScopeRule CSSSkew CSSSkewX CSSSkewY CSSStartingStyleRule CSSStyleDeclaration CSSStyleProperties CSSStyleRule CSSStyleSheet CSSStyleValue CSSSupportsRule CSSTransformComponent CSSTransformValue CSSTransition CSSTranslate CSSUnitValue CSSUnparsedValue CSSValue Deprecated CSSValueList Deprecated CSSVariableReferenceValue CSSViewTransitionRule CustomElementRegistry CustomEvent CustomStateSet D DataTransfer DataTransferItem DataTransferItemList DecompressionStream DedicatedWorkerGlobalScope DeferredRequestInit Experimental DelayNode DelegatedInkTrailPresenter Experimental DeprecationReportBody Experimental DeviceMotionEvent DeviceMotionEventAcceleration DeviceMotionEventRotationRate DeviceOrientationEvent DevicePosture Experimental DirectoryEntrySync Non-standard Deprecated DirectoryReaderSync Non-standard Deprecated Document DocumentFragment DocumentPictureInPicture Experimental DocumentPictureInPictureEvent Experimental DocumentTimeline DocumentType DOMError Deprecated DOMException DOMHighResTimeStamp DOMImplementation DOMMatrix DOMMatrixReadOnly DOMParser DOMPoint DOMPointReadOnly DOMQuad DOMRect DOMRectList DOMRectReadOnly DOMStringList DOMStringMap DOMTokenList DragEvent DynamicsCompressorNode E EcdhKeyDeriveParams EcdsaParams EcKeyGenParams EcKeyImportParams EditContext Experimental Element ElementInternals EncodedAudioChunk EncodedVideoChunk ErrorEvent Event EventCounts EventSource EventTarget ExtendableCookieChangeEvent ExtendableEvent ExtendableMessageEvent EyeDropper Experimental F FeaturePolicy Experimental FederatedCredential Experimental FederatedCredentialInit Fence Experimental FencedFrameConfig Experimental FetchEvent FetchLaterResult Experimental File FileEntrySync Non-standard Deprecated FileList FileReader FileReaderSync FileSystem FileSystemChangeRecord FileSystemDirectoryEntry FileSystemDirectoryHandle FileSystemDirectoryReader FileSystemEntry FileSystemFileEntry FileSystemFileHandle FileSystemHandle FileSystemObserver Experimental Non-standard FileSystemSync Non-standard Deprecated FileSystemSyncAccessHandle FileSystemWritableFileStream FocusEvent FontData Experimental FontFace FontFaceSet FontFaceSetLoadEvent FormData FormDataEvent FragmentDirective G GainNode Gamepad GamepadButton GamepadEvent GamepadHapticActuator GamepadPose Experimental Geolocation GeolocationCoordinates GeolocationPosition GeolocationPositionError GestureEvent Non-standard GPU GPUAdapter GPUAdapterInfo GPUBindGroup GPUBindGroupLayout GPUBuffer GPUCanvasContext GPUCommandBuffer GPUCommandEncoder GPUCompilationInfo GPUCompilationMessage GPUComputePassEncoder GPUComputePipeline GPUDevice GPUDeviceLostInfo GPUError GPUExternalTexture GPUInternalError GPUOutOfMemoryError GPUPipelineError GPUPipelineLayout GPUQuerySet GPUQueue GPURenderBundle GPURenderBundleEncoder GPURenderPassEncoder GPURenderPipeline GPUSampler GPUShaderModule GPUSupportedFeatures GPUSupportedLimits GPUTexture GPUTextureView GPUUncapturedErrorEvent GPUValidationError GravitySensor Gyroscope H HashChangeEvent Headers HID Experimental HIDConnectionEvent Experimental HIDDevice Experimental HIDInputReportEvent Experimental Highlight HighlightRegistry History HkdfParams HmacImportParams HmacKeyGenParams HMDVRDevice Non-standard Deprecated HTMLAllCollection HTMLAnchorElement HTMLAreaElement HTMLAudioElement HTMLBaseElement HTMLBodyElement HTMLBRElement HTMLButtonElement HTMLCanvasElement HTMLCollection HTMLDataElement HTMLDataListElement HTMLDetailsElement HTMLDialogElement HTMLDivElement HTMLDListElement HTMLDocument HTMLElement HTMLEmbedElement HTMLFencedFrameElement Experimental HTMLFieldSetElement HTMLFontElement Deprecated HTMLFormControlsCollection HTMLFormElement HTMLFrameSetElement Deprecated HTMLHeadElement HTMLHeadingElement HTMLHRElement HTMLHtmlElement HTMLIFrameElement HTMLImageElement HTMLInputElement HTMLLabelElement HTMLLegendElement HTMLLIElement HTMLLinkElement HTMLMapElement HTMLMarqueeElement Deprecated HTMLMediaElement HTMLMenuElement HTMLMetaElement HTMLMeterElement HTMLModElement HTMLObjectElement HTMLOListElement HTMLOptGroupElement HTMLOptionElement HTMLOptionsCollection HTMLOutputElement HTMLParagraphElement HTMLParamElement Deprecated HTMLPictureElement HTMLPreElement HTMLProgressElement HTMLQuoteElement HTMLScriptElement HTMLSelectedContentElement Experimental HTMLSelectElement HTMLSlotElement HTMLSourceElement HTMLSpanElement HTMLStyleElement HTMLTableCaptionElement HTMLTableCellElement HTMLTableColElement HTMLTableElement HTMLTableRowElement HTMLTableSectionElement HTMLTemplateElement HTMLTextAreaElement HTMLTimeElement HTMLTitleElement HTMLTrackElement HTMLUListElement HTMLUnknownElement HTMLVideoElement I IDBCursor IDBCursorWithValue IDBDatabase IDBFactory IDBIndex IDBKeyRange IDBObjectStore IDBOpenDBRequest IDBRequest IDBTransaction IDBVersionChangeEvent IdentityCredential Experimental IdentityCredentialError Experimental IdentityCredentialRequestOptions Experimental IdentityProvider Experimental IdleDeadline IdleDetector Experimental IIRFilterNode ImageBitmap ImageBitmapRenderingContext ImageCapture ImageData ImageDecoder ImageTrack ImageTrackList Ink Experimental InputDeviceCapabilities Experimental InputDeviceInfo InputEvent InstallEvent IntegrityViolationReportBody InterestEvent Experimental Non-standard IntersectionObserver IntersectionObserverEntry InterventionReportBody Experimental K Keyboard Experimental KeyboardEvent KeyboardLayoutMap Experimental KeyframeEffect L LanguageDetector Experimental LargestContentfulPaint LaunchParams Experimental LaunchQueue Experimental LayoutShift Experimental LayoutShiftAttribution Experimental LinearAccelerationSensor Location Lock LockManager M Magnetometer Experimental MathMLElement MediaCapabilities MediaDeviceInfo MediaDevices MediaElementAudioSourceNode MediaEncryptedEvent MediaError MediaKeyMessageEvent MediaKeys MediaKeySession MediaKeyStatusMap MediaKeySystemAccess MediaList MediaMetadata MediaQueryList MediaQueryListEvent MediaRecorder MediaRecorderErrorEvent Non-standard Deprecated MediaSession MediaSource MediaSourceHandle MediaStream MediaStreamAudioDestinationNode MediaStreamAudioSourceNode MediaStreamEvent Non-standard Deprecated MediaStreamTrack MediaStreamTrackAudioSourceNode MediaStreamTrackEvent MediaStreamTrackGenerator Experimental Non-standard MediaStreamTrackProcessor MediaTrackConstraints MediaTrackSettings MediaTrackSupportedConstraints MerchantValidationEvent Deprecated MessageChannel MessageEvent MessagePort Metadata Experimental Non-standard MIDIAccess MIDIConnectionEvent MIDIInput MIDIInputMap MIDIMessageEvent MIDIOutput MIDIOutputMap MIDIPort MimeType Deprecated MimeTypeArray Deprecated MouseEvent MouseScrollEvent Non-standard Deprecated MutationEvent Non-standard Deprecated MutationObserver MutationRecord N NamedNodeMap NavigateEvent Navigation NavigationActivation NavigationCurrentEntryChangeEvent NavigationDestination NavigationHistoryEntry NavigationPrecommitController NavigationPreloadManager NavigationTransition Navigator NavigatorLogin NavigatorUAData Experimental NDEFMessage Experimental NDEFReader Experimental NDEFReadingEvent Experimental NDEFRecord Experimental NetworkInformation Node NodeIterator NodeList Notification NotificationEvent NotRestoredReasonDetails Experimental NotRestoredReasons Experimental O OES_draw_buffers_indexed OfflineAudioCompletionEvent OfflineAudioContext OffscreenCanvas OffscreenCanvasRenderingContext2D OrientationSensor OscillatorNode OTPCredential Experimental OverconstrainedError P PageRevealEvent PageSwapEvent PageTransitionEvent PaintRenderingContext2D PaintSize PaintWorkletGlobalScope Experimental PannerNode PasswordCredential Experimental PasswordCredentialInit Path2D PaymentAddress Non-standard Deprecated PaymentManager Experimental PaymentMethodChangeEvent PaymentRequest PaymentRequestEvent Experimental PaymentRequestUpdateEvent PaymentResponse Pbkdf2Params Performance PerformanceElementTiming Experimental PerformanceEntry PerformanceEventTiming PerformanceLongAnimationFrameTiming Experimental PerformanceLongTaskTiming Experimental PerformanceMark PerformanceMeasure PerformanceNavigation Deprecated PerformanceNavigationTiming PerformanceObserver PerformanceObserverEntryList PerformancePaintTiming PerformanceResourceTiming PerformanceScriptTiming Experimental PerformanceServerTiming PerformanceTiming Deprecated PeriodicSyncEvent Experimental PeriodicSyncManager Experimental PeriodicWave Permissions PermissionStatus PictureInPictureEvent PictureInPictureWindow Plugin Deprecated PluginArray Deprecated Point Non-standard Deprecated PointerEvent PopStateEvent PositionSensorVRDevice Non-standard Deprecated Presentation Experimental PresentationAvailability Experimental PresentationConnection Experimental PresentationConnectionAvailableEvent Experimental PresentationConnectionCloseEvent Experimental PresentationConnectionList Experimental PresentationReceiver Experimental PresentationRequest Experimental PressureObserver Experimental PressureRecord Experimental ProcessingInstruction Profiler Experimental ProgressEvent PromiseRejectionEvent PublicKeyCredential PublicKeyCredentialCreationOptions PublicKeyCredentialRequestOptions PushEvent PushManager PushMessageData PushSubscription PushSubscriptionOptions Q QuotaExceededError Experimental R RadioNodeList Range ReadableByteStreamController ReadableStream ReadableStreamBYOBReader ReadableStreamBYOBRequest ReadableStreamDefaultController ReadableStreamDefaultReader RelativeOrientationSensor RemotePlayback Report ReportBody ReportingObserver Request RequestInit ResizeObserver ResizeObserverEntry ResizeObserverSize Response RestrictionTarget Experimental RsaHashedImportParams RsaHashedKeyGenParams RsaOaepParams RsaPssParams RTCAudioSourceStats RTCCertificate RTCCertificateStats RTCCodecStats RTCDataChannel RTCDataChannelEvent RTCDataChannelStats RTCDtlsTransport RTCDTMFSender RTCDTMFToneChangeEvent RTCEncodedAudioFrame RTCEncodedVideoFrame RTCError RTCErrorEvent RTCIceCandidate RTCIceCandidatePair RTCIceCandidatePairStats RTCIceCandidateStats RTCIceParameters RTCIceTransport RTCIdentityAssertion Experimental RTCInboundRtpStreamStats RTCOutboundRtpStreamStats RTCPeerConnection RTCPeerConnectionIceErrorEvent RTCPeerConnectionIceEvent RTCPeerConnectionStats RTCRemoteInboundRtpStreamStats RTCRemoteOutboundRtpStreamStats RTCRtpReceiver RTCRtpScriptTransform RTCRtpScriptTransformer RTCRtpSender RTCRtpTransceiver RTCSctpTransport RTCSessionDescription RTCStatsReport RTCTrackEvent RTCTransformEvent RTCTransportStats RTCVideoSourceStats S Sanitizer Experimental SanitizerConfig Experimental Scheduler Scheduling Experimental Screen ScreenDetailed Experimental ScreenDetails Experimental ScreenOrientation ScriptProcessorNode Deprecated ScrollTimeline SecurePaymentConfirmationRequest SecurityPolicyViolationEvent Selection Sensor SensorErrorEvent Serial Experimental SerialPort Experimental ServiceWorker ServiceWorkerContainer ServiceWorkerGlobalScope ServiceWorkerRegistration ShadowRoot SharedStorage Deprecated SharedStorageOperation Deprecated SharedStorageRunOperation Deprecated SharedStorageSelectURLOperation Deprecated SharedStorageWorklet Deprecated SharedStorageWorkletGlobalScope Deprecated SharedWorker SharedWorkerGlobalScope SnapEvent Experimental SourceBuffer SourceBufferList SpeechGrammar Deprecated SpeechGrammarList Deprecated SpeechRecognition SpeechRecognitionAlternative SpeechRecognitionErrorEvent SpeechRecognitionEvent SpeechRecognitionPhrase Experimental SpeechRecognitionResult SpeechRecognitionResultList SpeechSynthesis SpeechSynthesisErrorEvent SpeechSynthesisEvent SpeechSynthesisUtterance SpeechSynthesisVoice StaticRange StereoPannerNode Storage StorageAccessHandle StorageEvent StorageManager StylePropertyMap StylePropertyMapReadOnly StyleSheet StyleSheetList SubmitEvent SubtleCrypto Summarizer Experimental SVGAElement SVGAngle SVGAnimateColorElement Deprecated SVGAnimatedAngle SVGAnimatedBoolean SVGAnimatedEnumeration SVGAnimatedInteger SVGAnimatedLength SVGAnimatedLengthList SVGAnimatedNumber SVGAnimatedNumberList SVGAnimatedPreserveAspectRatio SVGAnimatedRect SVGAnimatedString SVGAnimatedTransformList SVGAnimateElement SVGAnimateMotionElement SVGAnimateTransformElement SVGAnimationElement SVGCircleElement SVGClipPathElement SVGComponentTransferFunctionElement SVGDefsElement SVGDescElement SVGDiscardElement Deprecated SVGElement SVGEllipseElement SVGFEBlendElement SVGFEColorMatrixElement SVGFEComponentTransferElement SVGFECompositeElement SVGFEConvolveMatrixElement SVGFEDiffuseLightingElement SVGFEDisplacementMapElement SVGFEDistantLightElement SVGFEDropShadowElement SVGFEFloodElement SVGFEFuncAElement SVGFEFuncBElement SVGFEFuncGElement SVGFEFuncRElement SVGFEGaussianBlurElement SVGFEImageElement SVGFEMergeElement SVGFEMergeNodeElement SVGFEMorphologyElement SVGFEOffsetElement SVGFEPointLightElement SVGFESpecularLightingElement SVGFESpotLightElement SVGFETileElement SVGFETurbulenceElement SVGFilterElement SVGForeignObjectElement SVGGElement SVGGeometryElement SVGGradientElement SVGGraphicsElement SVGImageElement SVGLength SVGLengthList SVGLinearGradientElement SVGLineElement SVGMarkerElement SVGMaskElement SVGMetadataElement SVGMPathElement SVGNumber SVGNumberList SVGPathElement SVGPatternElement SVGPoint Deprecated SVGPointList SVGPolygonElement SVGPolylineElement SVGPreserveAspectRatio SVGRadialGradientElement SVGRect SVGRectElement SVGRenderingIntent Deprecated SVGScriptElement SVGSetElement SVGStopElement SVGStringList SVGStyleElement SVGSVGElement SVGSwitchElement SVGSymbolElement SVGTextContentElement SVGTextElement SVGTextPathElement SVGTextPositioningElement SVGTitleElement SVGTransform SVGTransformList SVGTSpanElement SVGUnitTypes SVGUseElement SVGViewElement SyncEvent SyncManager T TaskAttributionTiming Experimental TaskController TaskPriorityChangeEvent TaskSignal Text TextDecoder TextDecoderStream TextEncoder TextEncoderStream TextEvent Deprecated TextFormat Experimental TextFormatUpdateEvent Experimental TextMetrics TextTrack TextTrackCue TextTrackCueList TextTrackList TextUpdateEvent Experimental TimeEvent TimeRanges ToggleEvent Touch TouchEvent TouchList TrackEvent TransformStream TransformStreamDefaultController TransitionEvent Translator Experimental TreeWalker TrustedHTML TrustedScript TrustedScriptURL TrustedTypePolicy TrustedTypePolicyFactory U UIEvent URL URLPattern URLSearchParams USB Experimental USBAlternateInterface Experimental USBConfiguration Experimental USBConnectionEvent Experimental USBDevice Experimental USBEndpoint Experimental USBInterface Experimental USBInTransferResult Experimental USBIsochronousInTransferPacket Experimental USBIsochronousInTransferResult Experimental USBIsochronousOutTransferPacket Experimental USBIsochronousOutTransferResult Experimental USBOutTransferResult Experimental UserActivation V ValidityState VideoColorSpace VideoDecoder VideoEncoder VideoFrame VideoPlaybackQuality VideoTrack VideoTrackGenerator Experimental VideoTrackList Viewport Experimental ViewTimeline ViewTransition ViewTransitionTypeSet VirtualKeyboard Experimental VisibilityStateEntry Experimental VisualViewport VRDisplay Non-standard Deprecated VRDisplayCapabilities Non-standard Deprecated VRDisplayEvent Non-standard Deprecated VREyeParameters Non-standard Deprecated VRFieldOfView Non-standard Deprecated VRFrameData Non-standard Deprecated VRLayerInit Non-standard Deprecated VRPose Non-standard Deprecated VRStageParameters Non-standard Deprecated VTTCue VTTRegion W WakeLock WakeLockSentinel WaveShaperNode WebGL2RenderingContext WebGLActiveInfo WebGLBuffer WebGLContextEvent WebGLFramebuffer WebGLObject Experimental WebGLProgram WebGLQuery WebGLRenderbuffer WebGLRenderingContext WebGLSampler WebGLShader WebGLShaderPrecisionFormat WebGLSync WebGLTexture WebGLTransformFeedback WebGLUniformLocation WebGLVertexArrayObject WebSocket WebSocketStream Experimental WebTransport WebTransportBidirectionalStream WebTransportDatagramDuplexStream WebTransportError WebTransportReceiveStream Experimental WebTransportSendStream Experimental WGSLLanguageFeatures WheelEvent Window WindowClient WindowControlsOverlay Experimental WindowControlsOverlayGeometryChangeEvent Experimental WindowSharedStorage Deprecated Worker WorkerGlobalScope WorkerLocation WorkerNavigator Worklet WorkletGlobalScope WorkletSharedStorage Deprecated WritableStream WritableStreamDefaultController WritableStreamDefaultWriter X XMLDocument XMLHttpRequest XMLHttpRequestEventTarget XMLHttpRequestUpload XMLSerializer XPathEvaluator XPathExpression XPathResult XRAnchor Experimental XRAnchorSet Experimental XRBoundedReferenceSpace Experimental XRCompositionLayer Experimental XRCPUDepthInformation Experimental XRCubeLayer Experimental XRCylinderLayer Experimental XRDepthInformation Experimental XREquirectLayer Experimental XRFrame Experimental XRHand XRHitTestResult Experimental XRHitTestSource Experimental XRInputSource XRInputSourceArray Experimental XRInputSourceEvent XRInputSourcesChangeEvent XRJointPose XRJointSpace XRLayer Experimental XRLayerEvent Experimental XRLightEstimate Experimental XRLightProbe Experimental XRMediaBinding Experimental XRPose XRProjectionLayer Experimental XRQuadLayer Experimental XRRay Experimental XRReferenceSpace XRReferenceSpaceEvent XRRenderState Experimental XRRigidTransform XRSession Experimental XRSessionEvent XRSpace XRSubImage Experimental XRSystem Experimental XRTransientInputHitTestResult Experimental XRTransientInputHitTestSource Experimental XRView Experimental XRViewerPose XRViewport XRWebGLBinding Experimental XRWebGLDepthInformation Experimental XRWebGLLayer Experimental XRWebGLSubImage Experimental XSLTProcessor Help improve MDN Was this page helpful to you? Yes No Learn how to contribute This page was last modified on Jul 29, 2025 by MDN contributors . View this page on GitHub • Report a problem with this content Your blueprint for a better internet. MDN About Blog Mozilla careers Advertise with us MDN Plus Product help Contribute MDN Community Community resources Writing guidelines MDN Discord MDN on GitHub Developers Web technologies Learn web development Guides Tutorials Glossary Hacks blog Website Privacy Notice Telemetry Settings Legal Community Participation Guidelines Visit Mozilla Corporation’s not-for-profit parent, the Mozilla Foundation . Portions of this content are ©1998–2026 by individual mozilla.org contributors. Content available under a Creative Commons license . | 2026-01-13T08:48:24 |
https://www.suprsend.com/comparison-page/ooma-vs-bandwidth-2024 | Comparing the Top Messaging Platforms (2025) Product FEATURES Template Engine Powerful template editors for all channels App Inbox Fully customizable inbox for your app & website Analytics Deep data insights on notification performance Logs Real-time notifications logs for all channels Smart Routing Reach users where they are Branding Seamlessly manage multi-brand customization Workflows Craft complex notification workflows Bifrost Run notifications natively on data warehouse Preferences Develop user focused notifications Integrations Integrate any channel and provider within mins Solutions BY USECASES Transactional Real-time alerts like authentication, activity updates Batching & Digest Aggregate multiple alerts into one Collaboration & Action Alerts on cross-user activity Scheduled Notifications One-time or recurring alerts like reminders Multi-tenant Alerts tailored to your customer's preferences Announcement / Newsletters Feature releases, achievements, product & policy updates Pricing Docs Customers Blog Login Get Started For Free Login Sign up Email management Comparing the Top Messaging Platforms (2025) Nikita Navral • December 2, 2025 TABLE OF CONTENTS Businesses rely on cloud communications platforms to power SMS alerts, authentication flows, customer engagement, and global voice calling. With so many options available, it’s important to understand how the major players differ in capabilities, pricing, and security. Below is a clear comparison of RingCentral, MessageBird, Plivo, Karix, Twilio, Sinch, Exotel, Telnyx, Ooma, Bandwidth, Gupshup, Vonage, and Amazon SNS - with key features, cost, and security included for each. Twilio Key Features: SMS/MMS, voice, WhatsApp, chat, email (SendGrid), video, global phone numbers, user authentication. Cost: Pay-as-you-go. US SMS ~ $0.0079 outbound; voice outbound ~ $0.014/min. SendGrid email plans start at $19.95/month. Security: HTTPS APIs, API key authentication, enterprise-grade controls depending on product. MessageBird (Bird) Key Features: SMS, WhatsApp, email, voice, multichannel inbox, 2FA/verify, omnichannel automation. Cost: US SMS ~ $0.008/message; WhatsApp from ~$0.005/message; dedicated numbers from ~$0.50/month. Security: ISO/IEC 27001:2013, SOC 2 Type II, GDPR-aligned, regulated under Dutch telecommunications authority. Plivo Key Features: SMS, MMS, voice APIs, WhatsApp, user verification APIs, Fraud Shield protection. Cost: US SMS ~ $0.0055/message; MMS ~ $0.018/message; plans also available starting around $25/month. Security: Fraud Shield for SMS fraud, standard API security, compliance frameworks appropriate for telecom workflows. Sinch Key Features: Global messaging, voice APIs, phone number provisioning, enterprise conversational tools, in-app voice/video SDKs. Cost: Pay-as-you-go; pricing varies by region and channel. Security: Enterprise security posture; used widely by large regulated businesses. RingCentral Key Features: Enterprise UCaaS and CCaaS — voice, video, messaging, contact center, team collaboration. Cost: Subscription-based; varies by seat and plan tier. Security: 99.999% uptime SLA, enterprise compliance standards, secure global network. Vonage Key Features: Business phone systems, unified communications, plus APIs for voice, SMS, video, messaging. Cost: Varies by product; SMS and voice pricing similar to other CPaaS players. Security: Industry-standard certifications (ISO 27001, HIPAA support in certain offerings). Bandwidth Key Features: Voice, messaging, emergency services APIs built on its own carrier network. Cost: Usage-based; typically competitive because Bandwidth owns telecom infrastructure. Security: Strong network-level security due to owning carrier backbone; enterprise-grade controls. Telnyx Key Features: Programmable voice, SMS, SIP trunking, wireless IoT, phone numbers; operates its own global private network. Cost: Generally lower than Twilio in many regions; usage-based for SMS/voice. Security: Private global network architecture, encrypted communications, strong compliance posture. Karix Key Features: SMS, voice, WhatsApp, and multichannel messaging, with strong performance in India/APAC. Cost: Pricing varies by region and volume; typically optimized for India and emerging markets. Security: Regional telecom compliance; enterprise messaging security standards. Exotel Key Features: Cloud telephony, IVR, virtual numbers, call routing, contact-center tools, SMS, WhatsApp. Cost: Region-based pricing; popular for cost-effective India/SEA deployments. Security: Telecom-grade compliance in India, SEA, and Middle East markets. Gupshup Key Features: SMS, WhatsApp, RCS, conversational messaging, bot frameworks, commerce and marketing flows. Cost: Pricing varies by channel and country; optimized for India, LATAM, and emerging markets. Security: Regional compliance and enterprise-grade security for messaging workflows. Ooma Key Features: SMB VoIP phone systems, virtual receptionist, call routing, basic business telephony. Cost: Subscription-based; lower-cost than enterprise UCaaS providers. Security: Standard SMB business-telephony protections; not CPaaS-level programmability. Amazon SNS Key Features: Pub/Sub messaging, SMS notifications, push notifications, email; part of AWS event-driven architecture. Cost: Pay-as-you-go based on notifications sent; AWS regional SMS pricing applies. Security: Inherits AWS IAM, encryption, compliance, monitoring, and infrastructure security. Which Platform Fits Which Use Case? If you want developer APIs to build custom communication flows: Twilio, Plivo, Telnyx, Bandwidth. If you need enterprise communication suites for internal teams: RingCentral, Vonage, Ooma for SMBs. If global omnichannel messaging is key: MessageBird, Sinch, Gupshup, Karix, Exotel. If you’re on AWS and only need notifications: Amazon SNS. Conclusion Each provider has unique strengths: some excel at global messaging, others at enterprise unified communications, others at developer-centric programmability. Understanding key features, pricing, and security posture helps narrow down the best fit for your product, geography, and scale. Share this blog on: Written by: Nikita Navral Co-Founder, SuprSend Implement a powerful stack for your notifications Get Started For Free Book Demo Company About us Signup Login Integrations Pricing Security Privacy Terms Contact Us Support SuprSend for Startups API Status Sign Up Channels Email SMS Notification Inbox Android Push iOS Push Web Push Xiaomi Push Whatsapp SDK Python SDK Node.js SDK Java SDK Android SDK React Native SDK iOS SDK Flutter SDK Go SDK Resources Documentation Changelog Blogs Write for us SMTP Error Codes SMS Providers Comparisons Email Providers Comparisons SMS Providers Alternatives Join us on Slack We are building a community of developers and product builders from across the globe to make notifications a pleasant experience. © 2025 All rights reserved. SuprStack Inc. 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 Get 10% OFF on your next order Subscribe to our newsletter and receive a 10% OFF coupon to use on your next order. Please check your email for your 10% OFF coupon Oops! Something went wrong while submitting the form. | 2026-01-13T08:48:24 |
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Control_flow_and_error_handling | Control flow and error handling - JavaScript | MDN Skip to main content Skip to search MDN HTML HTML: Markup language HTML reference Elements Global attributes Attributes See all… HTML guides Responsive images HTML cheatsheet Date & time formats See all… Markup languages SVG MathML XML CSS CSS: Styling language CSS reference Properties Selectors At-rules Values See all… CSS guides Box model Animations Flexbox Colors See all… Layout cookbook Column layouts Centering an element Card component See all… JavaScript JS JavaScript: Scripting language JS reference Standard built-in objects Expressions & operators Statements & declarations Functions See all… JS guides Control flow & error handing Loops and iteration Working with objects Using classes See all… Web APIs Web APIs: Programming interfaces Web API reference File system API Fetch API Geolocation API HTML DOM API Push API Service worker API See all… Web API guides Using the Web animation API Using the Fetch API Working with the History API Using the Web speech API Using web workers All All web technology Technologies Accessibility HTTP URI Web extensions WebAssembly WebDriver See all… Topics Media Performance Privacy Security Progressive web apps Learn Learn web development Frontend developer course Getting started modules Core modules MDN Curriculum Learn HTML Structuring content with HTML module Learn CSS CSS styling basics module CSS layout module Learn JavaScript Dynamic scripting with JavaScript module Tools Discover our tools Playground HTTP Observatory Border-image generator Border-radius generator Box-shadow generator Color format converter Color mixer Shape generator About Get to know MDN better About MDN Advertise with us Community MDN on GitHub Blog Toggle sidebar Web JavaScript Guide Control flow and error handling Theme OS default Light Dark English (US) Remember language Learn more Deutsch English (US) Español Français 日本語 한국어 Português (do Brasil) Русский 中文 (简体) 正體中文 (繁體) Control flow and error handling Previous Next JavaScript supports a compact set of statements, specifically control flow statements, that you can use to incorporate a great deal of interactivity in your application. This chapter provides an overview of these statements. The JavaScript reference contains exhaustive details about the statements in this chapter. The semicolon ( ; ) character is used to separate statements in JavaScript code. Any JavaScript expression is also a statement. See Expressions and operators for complete information about expressions. In this article Block statement Conditional statements Exception handling statements Block statement The most basic statement is a block statement , which is used to group statements. The block is delimited by a pair of curly braces: js { statement1; statement2; // … statementN; } Example Block statements are commonly used with control flow statements ( if , for , while ). js while (x < 10) { x++; } Here, { x++; } is the block statement. Note: var -declared variables are not block-scoped, but are scoped to the containing function or script, and the effects of setting them persist beyond the block itself. For example: js var x = 1; { var x = 2; } console.log(x); // 2 This outputs 2 because the var x statement within the block is in the same scope as the var x statement before the block. (In C or Java, the equivalent code would have output 1 .) This scoping effect can be mitigated by using let or const . Conditional statements A conditional statement is a set of commands that executes if a specified condition is true. JavaScript supports two conditional statements: if...else and switch . if...else statement Use the if statement to execute a statement if a logical condition is true . Use the optional else clause to execute a statement if the condition is false . An if statement looks like this: js if (condition) { statement1; } else { statement2; } Here, the condition can be any expression that evaluates to true or false . (See Boolean for an explanation of what evaluates to true and false .) If condition evaluates to true , statement1 is executed. Otherwise, statement2 is executed. statement1 and statement2 can be any statement, including further nested if statements. You can also compound the statements using else if to have multiple conditions tested in sequence, as follows: js if (condition1) { statement1; } else if (condition2) { statement2; } else if (conditionN) { statementN; } else { statementLast; } In the case of multiple conditions, only the first logical condition which evaluates to true will be executed. To execute multiple statements, group them within a block statement ( { /* … */ } ). Best practice In general, it's good practice to always use block statements— especially when nesting if statements: js if (condition) { // Statements for when condition is true // … } else { // Statements for when condition is false // … } In general it's good practice to not have an if...else with an assignment like x = y as a condition: js if (x = y) { // statements here } However, in the rare case you find yourself wanting to do something like that, the while documentation has a Using an assignment as a condition section with guidance on a general best-practice syntax you should know about and follow. Falsy values The following values evaluate to false (also known as Falsy values): false undefined null 0 NaN the empty string ( "" ) All other values—including all objects—evaluate to true when passed to a conditional statement. Note: Do not confuse the primitive boolean values true and false with the true and false values of the Boolean object! For example: js const b = new Boolean(false); if (b) { // this condition evaluates to true } if (b == true) { // this condition evaluates to false } Example In the following example, the function checkData returns true if the number of characters in a Text object is three. Otherwise, it displays an alert and returns false . js function checkData() { if (document.form1.threeChar.value.length === 3) { return true; } alert( `Enter exactly three characters. ${document.form1.threeChar.value} is not valid.`, ); return false; } switch statement A switch statement allows a program to evaluate an expression and attempt to match the expression's value to a case label. If a match is found, the program executes the associated statement. A switch statement looks like this: js switch (expression) { case label1: statements1; break; case label2: statements2; break; // … default: statementsDefault; } JavaScript evaluates the above switch statement as follows: The program first looks for a case clause with a label matching the value of expression and then transfers control to that clause, executing the associated statements. If no matching label is found, the program looks for the optional default clause: If a default clause is found, the program transfers control to that clause, executing the associated statements. If no default clause is found, the program resumes execution at the statement following the end of switch . (By convention, the default clause is written as the last clause, but it does not need to be so.) break statements The optional break statement associated with each case clause ensures that the program breaks out of switch once the matched statement is executed, and then continues execution at the statement following switch . If break is omitted, the program continues execution inside the switch statement (and will execute statements under the next case , and so on). Example In the following example, if fruitType evaluates to "Bananas" , the program matches the value with case "Bananas" and executes the associated statement. When break is encountered, the program exits the switch and continues execution from the statement following switch . If break were omitted, the statement for case "Cherries" would also be executed. js switch (fruitType) { case "Oranges": console.log("Oranges are $0.59 a pound."); break; case "Apples": console.log("Apples are $0.32 a pound."); break; case "Bananas": console.log("Bananas are $0.48 a pound."); break; case "Cherries": console.log("Cherries are $3.00 a pound."); break; case "Mangoes": console.log("Mangoes are $0.56 a pound."); break; case "Papayas": console.log("Papayas are $2.79 a pound."); break; default: console.log(`Sorry, we are out of ${fruitType}.`); } console.log("Is there anything else you'd like?"); Exception handling statements You can throw exceptions using the throw statement and handle them using the try...catch statements. throw statement try...catch statement Exception types Just about any object can be thrown in JavaScript. Nevertheless, not all thrown objects are created equal. While it is common to throw numbers or strings as errors, it is frequently more effective to use one of the exception types specifically created for this purpose: ECMAScript exceptions DOMException throw statement Use the throw statement to throw an exception. A throw statement specifies the value to be thrown: js throw expression; You may throw any expression, not just expressions of a specific type. The following code throws several exceptions of varying types: js throw "Error2"; // String type throw 42; // Number type throw true; // Boolean type throw { toString() { return "I'm an object!"; }, }; try...catch statement The try...catch statement marks a block of statements to try, and specifies one or more responses should an exception be thrown. If an exception is thrown, the try...catch statement catches it. The try...catch statement consists of a try block, which contains one or more statements, and a catch block, containing statements that specify what to do if an exception is thrown in the try block. In other words, you want the try block to succeed—but if it does not, you want control to pass to the catch block. If any statement within the try block (or in a function called from within the try block) throws an exception, control immediately shifts to the catch block. If no exception is thrown in the try block, the catch block is skipped. The finally block executes after the try and catch blocks execute but before the statements following the try...catch statement. The following example uses a try...catch statement. The example calls a function that retrieves a month name from an array based on the value passed to the function. If the value does not correspond to a month number ( 1 – 12 ), an exception is thrown with the value 'Invalid month code' and the statements in the catch block set the monthName variable to 'unknown' . js function getMonthName(mo) { mo--; // Adjust month number for array index (so that 0 = Jan, 11 = Dec) // prettier-ignore const months = [ "Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec", ]; if (!months[mo]) { throw new Error("Invalid month code"); // throw keyword is used here } return months[mo]; } try { // statements to try monthName = getMonthName(myMonth); // function could throw exception } catch (e) { monthName = "unknown"; logMyErrors(e); // pass exception object to error handler (i.e. your own function) } The catch block You can use a catch block to handle all exceptions that may be generated in the try block. js catch (exception) { statements } The catch block specifies an identifier ( exception in the preceding syntax) that holds the value specified by the throw statement. You can use this identifier to get information about the exception that was thrown. JavaScript creates this identifier when the catch block is entered. The identifier lasts only for the duration of the catch block. Once the catch block finishes executing, the identifier no longer exists. For example, the following code throws an exception. When the exception occurs, control transfers to the catch block. js try { throw "myException"; // generates an exception } catch (err) { // statements to handle any exceptions logMyErrors(err); // pass exception object to error handler } Note: When logging errors to the console inside a catch block, using console.error() rather than console.log() is advised for debugging. It formats the message as an error, and adds it to the list of error messages generated by the page. The finally block The finally block contains statements to be executed after the try and catch blocks execute. Additionally, the finally block executes before the code that follows the try...catch...finally statement. It is also important to note that the finally block will execute whether or not an exception is thrown. If an exception is thrown, however, the statements in the finally block execute even if no catch block handles the exception that was thrown. You can use the finally block to make your script fail gracefully when an exception occurs. For example, you may need to release a resource that your script has tied up. The following example opens a file and then executes statements that use the file. (Server-side JavaScript allows you to access files.) If an exception is thrown while the file is open, the finally block closes the file before the script fails. Using finally here ensures that the file is never left open, even if an error occurs. js openMyFile(); try { writeMyFile(theData); // This may throw an error } catch (e) { handleError(e); // If an error occurred, handle it } finally { closeMyFile(); // Always close the resource } If the finally block returns a value, this value becomes the return value of the entire try...catch...finally production, regardless of any return statements in the try and catch blocks: js function f() { try { console.log(0); throw "bogus"; } catch (e) { console.log(1); // This return statement is suspended // until finally block has completed return true; console.log(2); // not reachable } finally { console.log(3); return false; // overwrites the previous "return" // `f` exits here console.log(4); // not reachable } console.log(5); // not reachable } console.log(f()); // 0, 1, 3, false Overwriting of return values by the finally block also applies to exceptions thrown or re-thrown inside of the catch block: js function f() { try { throw "bogus"; } catch (e) { console.log('caught inner "bogus"'); // This throw statement is suspended until // finally block has completed throw e; } finally { return false; // overwrites the previous "throw" // `f` exits here } } try { console.log(f()); } catch (e) { // this is never reached! // while f() executes, the `finally` block returns false, // which overwrites the `throw` inside the above `catch` console.log('caught outer "bogus"'); } // Logs: // caught inner "bogus" // false Nesting try...catch statements You can nest one or more try...catch statements. If an inner try block does not have a corresponding catch block: it must contain a finally block, and the enclosing try...catch statement's catch block is checked for a match. For more information, see nested try-blocks on the try...catch reference page. Utilizing Error objects Depending on the type of error, you may be able to use the name and message properties to get a more refined message. The name property provides the general class of Error (such as DOMException or Error ), while message generally provides a more succinct message than one would get by converting the error object to a string. If you are throwing your own exceptions, in order to take advantage of these properties (such as if your catch block doesn't discriminate between your own exceptions and system ones), you can use the Error constructor. For example: js function doSomethingErrorProne() { if (ourCodeMakesAMistake()) { throw new Error("The message"); } doSomethingToGetAJavaScriptError(); } try { doSomethingErrorProne(); } catch (e) { // Now, we actually use `console.error()` console.error(e.name); // 'Error' console.error(e.message); // 'The message', or a JavaScript error message } Previous Next Help improve MDN Was this page helpful to you? Yes No Learn how to contribute This page was last modified on Sep 19, 2025 by MDN contributors . View this page on GitHub • Report a problem with this content Filter sidebar JavaScript Tutorials and guides JavaScript Guide Introduction Grammar and types Control flow and error handling Loops and iteration Functions Expressions and operators Numbers and strings Representing dates & times Regular expressions Indexed collections Keyed collections Working with objects Using classes Using promises JavaScript typed arrays Iterators and generators Resource management Internationalization JavaScript modules Intermediate Language overview JavaScript data structures Equality comparisons and sameness Enumerability and ownership of properties Closures Advanced Inheritance and the prototype chain Meta programming Memory Management References Built-in objects AggregateError Array ArrayBuffer AsyncDisposableStack AsyncFunction AsyncGenerator AsyncGeneratorFunction AsyncIterator Atomics BigInt BigInt64Array BigUint64Array Boolean DataView Date decodeURI() decodeURIComponent() DisposableStack encodeURI() encodeURIComponent() Error escape() Deprecated eval() EvalError FinalizationRegistry Float16Array Float32Array Float64Array Function Generator GeneratorFunction globalThis Infinity Int8Array Int16Array Int32Array InternalError Non-standard Intl isFinite() isNaN() Iterator JSON Map Math NaN Number Object parseFloat() parseInt() Promise Proxy RangeError ReferenceError Reflect RegExp Set SharedArrayBuffer String SuppressedError Symbol SyntaxError Temporal TypedArray TypeError Uint8Array Uint8ClampedArray Uint16Array Uint32Array undefined unescape() Deprecated URIError WeakMap WeakRef WeakSet Expressions & operators Addition (+) Addition assignment (+=) Assignment (=) async function expression async function* expression await Bitwise AND (&) Bitwise AND assignment (&=) Bitwise NOT (~) Bitwise OR (|) Bitwise OR assignment (|=) Bitwise XOR (^) Bitwise XOR assignment (^=) class expression Comma operator (,) Conditional (ternary) operator Decrement (--) delete Destructuring Division (/) Division assignment (/=) Equality (==) Exponentiation (**) Exponentiation assignment (**=) function expression function* expression Greater than (>) Greater than or equal (>=) Grouping operator ( ) import.meta import.meta.resolve() import() in Increment (++) Inequality (!=) instanceof Left shift (<<) Left shift assignment (<<=) Less than (<) Less than or equal (<=) Logical AND (&&) Logical AND assignment (&&=) Logical NOT (!) Logical OR (||) Logical OR assignment (||=) Multiplication (*) Multiplication assignment (*=) new new.target null Nullish coalescing assignment (??=) Nullish coalescing operator (??) Object initializer Operator precedence Optional chaining (?.) Property accessors Remainder (%) Remainder assignment (%=) Right shift (>>) Right shift assignment (>>=) Spread syntax (...) Strict equality (===) Strict inequality (!==) Subtraction (-) Subtraction assignment (-=) super this typeof Unary negation (-) Unary plus (+) Unsigned right shift (>>>) Unsigned right shift assignment (>>>=) void operator yield yield* Statements & declarations async function async function* await using Block statement break class const continue debugger do...while Empty statement export Expression statement for for await...of for...in for...of function function* if...else import Import attributes Labeled statement let return switch throw try...catch using var while with Deprecated Functions Arrow function expressions Default parameters get Method definitions Rest parameters set The arguments object [Symbol.iterator]() callee Deprecated length Classes constructor extends Private elements Public class fields static Static initialization blocks Regular expressions Backreference: \1, \2 Capturing group: (...) Character class escape: \d, \D, \w, \W, \s, \S Character class: [...], [^...] Character escape: \n, \u{...} Disjunction: | Input boundary assertion: ^, $ Literal character: a, b Lookahead assertion: (?=...), (?!...) Lookbehind assertion: (?<=...), (?<!...) Modifier: (?ims-ims:...) Named backreference: \k<name> Named capturing group: (?<name>...) Non-capturing group: (?:...) Quantifier: *, +, ?, {n}, {n,}, {n,m} Unicode character class escape: \p{...}, \P{...} Wildcard: . Word boundary assertion: \b, \B Errors AggregateError: No Promise in Promise.any was resolved Error: Permission denied to access property "x" InternalError: too much recursion RangeError: argument is not a valid code point RangeError: BigInt division by zero RangeError: BigInt negative exponent RangeError: form must be one of 'NFC', 'NFD', 'NFKC', or 'NFKD' RangeError: invalid array length RangeError: invalid date RangeError: precision is out of range RangeError: radix must be an integer RangeError: repeat count must be less than infinity RangeError: repeat count must be non-negative RangeError: x can't be converted to BigInt because it isn't an integer ReferenceError: "x" is not defined ReferenceError: assignment to undeclared variable "x" ReferenceError: can't access lexical declaration 'X' before initialization ReferenceError: must call super constructor before using 'this' in derived class constructor ReferenceError: super() called twice in derived class constructor SyntaxError: 'arguments'/'eval' can't be defined or assigned to in strict mode code SyntaxError: "0"-prefixed octal literals are deprecated SyntaxError: "use strict" not allowed in function with non-simple parameters SyntaxError: "x" is a reserved identifier SyntaxError: \ at end of pattern SyntaxError: a declaration in the head of a for-of loop can't have an initializer SyntaxError: applying the 'delete' operator to an unqualified name is deprecated SyntaxError: arguments is not valid in fields SyntaxError: await is only valid in async functions, async generators and modules SyntaxError: await/yield expression can't be used in parameter SyntaxError: cannot use `??` unparenthesized within `||` and `&&` expressions SyntaxError: character class escape cannot be used in class range in regular expression SyntaxError: continue must be inside loop SyntaxError: duplicate capture group name in regular expression SyntaxError: duplicate formal argument x SyntaxError: for-in loop head declarations may not have initializers SyntaxError: function statement requires a name SyntaxError: functions cannot be labelled SyntaxError: getter and setter for private name #x should either be both static or non-static SyntaxError: getter functions must have no arguments SyntaxError: identifier starts immediately after numeric literal SyntaxError: illegal character SyntaxError: import declarations may only appear at top level of a module SyntaxError: incomplete quantifier in regular expression SyntaxError: invalid assignment left-hand side SyntaxError: invalid BigInt syntax SyntaxError: invalid capture group name in regular expression SyntaxError: invalid character in class in regular expression SyntaxError: invalid class set operation in regular expression SyntaxError: invalid decimal escape in regular expression SyntaxError: invalid identity escape in regular expression SyntaxError: invalid named capture reference in regular expression SyntaxError: invalid property name in regular expression SyntaxError: invalid range in character class SyntaxError: invalid regexp group SyntaxError: invalid regular expression flag "x" SyntaxError: invalid unicode escape in regular expression SyntaxError: JSON.parse: bad parsing SyntaxError: label not found SyntaxError: missing : after property id SyntaxError: missing ) after argument list SyntaxError: missing ) after condition SyntaxError: missing ] after element list SyntaxError: missing } after function body SyntaxError: missing } after property list SyntaxError: missing = in const declaration SyntaxError: missing formal parameter SyntaxError: missing name after . operator SyntaxError: missing variable name SyntaxError: negated character class with strings in regular expression SyntaxError: new keyword cannot be used with an optional chain SyntaxError: nothing to repeat SyntaxError: numbers out of order in {} quantifier. SyntaxError: octal escape sequences can't be used in untagged template literals or in strict mode code SyntaxError: parameter after rest parameter SyntaxError: private fields can't be deleted SyntaxError: property name __proto__ appears more than once in object literal SyntaxError: raw bracket is not allowed in regular expression with unicode flag SyntaxError: redeclaration of formal parameter "x" SyntaxError: reference to undeclared private field or method #x SyntaxError: rest parameter may not have a default SyntaxError: return not in function SyntaxError: setter functions must have one argument SyntaxError: string literal contains an unescaped line break SyntaxError: super() is only valid in derived class constructors SyntaxError: tagged template cannot be used with optional chain SyntaxError: Unexpected '#' used outside of class body SyntaxError: Unexpected token SyntaxError: unlabeled break must be inside loop or switch SyntaxError: unparenthesized unary expression can't appear on the left-hand side of '**' SyntaxError: use of super property/member accesses only valid within methods or eval code within methods SyntaxError: Using //@ to indicate sourceURL pragmas is deprecated. Use //# instead TypeError: 'caller', 'callee', and 'arguments' properties may not be accessed TypeError: 'x' is not iterable TypeError: "x" is (not) "y" TypeError: "x" is not a constructor TypeError: "x" is not a function TypeError: "x" is not a non-null object TypeError: "x" is read-only TypeError: already executing generator TypeError: BigInt value can't be serialized in JSON TypeError: calling a builtin X constructor without new is forbidden TypeError: can't access/set private field or method: object is not the right class TypeError: can't assign to property "x" on "y": not an object TypeError: can't convert BigInt to number TypeError: can't convert x to BigInt TypeError: can't define property "x": "obj" is not extensible TypeError: can't delete non-configurable array element TypeError: can't redefine non-configurable property "x" TypeError: can't set prototype of this object TypeError: can't set prototype: it would cause a prototype chain cycle TypeError: cannot use 'in' operator to search for 'x' in 'y' TypeError: class constructors must be invoked with 'new' TypeError: cyclic object value TypeError: derived class constructor returned invalid value x TypeError: getting private setter-only property TypeError: Initializing an object twice is an error with private fields/methods TypeError: invalid 'instanceof' operand 'x' TypeError: invalid Array.prototype.sort argument TypeError: invalid assignment to const "x" TypeError: Iterator/AsyncIterator constructor can't be used directly TypeError: matchAll/replaceAll must be called with a global RegExp TypeError: More arguments needed TypeError: null/undefined has no properties TypeError: property "x" is non-configurable and can't be deleted TypeError: Reduce of empty array with no initial value TypeError: setting getter-only property "x" TypeError: WeakSet key/WeakMap value 'x' must be an object or an unregistered symbol TypeError: X.prototype.y called on incompatible type URIError: malformed URI sequence Warning: -file- is being assigned a //# sourceMappingURL, but already has one Warning: unreachable code after return statement Misc JavaScript technologies overview Execution model Lexical grammar Iteration protocols Strict mode Template literals Trailing commas Deprecated features Your blueprint for a better internet. MDN About Blog Mozilla careers Advertise with us MDN Plus Product help Contribute MDN Community Community resources Writing guidelines MDN Discord MDN on GitHub Developers Web technologies Learn web development Guides Tutorials Glossary Hacks blog Website Privacy Notice Telemetry Settings Legal Community Participation Guidelines Visit Mozilla Corporation’s not-for-profit parent, the Mozilla Foundation . Portions of this content are ©1998–2026 by individual mozilla.org contributors. Content available under a Creative Commons license . | 2026-01-13T08:48:24 |
https://socket.io/zh-CN/docs/v4/namespaces/ | 命名空间 | Socket.IO 转到主要内容 Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial 示例 Emit cheatsheet 服务器端API 客户端API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News 博客 Twitter Tools CDN Admin UI About FAQ Changelog Roadmap 成为赞助商 4.x 4.x 3.x 2.x Changelog 中文(中国) English Español Français Português (Brasil) 中文(中国) 搜索 Socket.IO 快速入门 服务器 客户端 事件 适配器 高级 命名空间 自定义解析器 管理界面 与 PM2 一起使用 负载测试 性能优化 版本迁移 更多 高级 命名空间 版本:4.x 当前页面 命名空间 命名空间是一种通信通道,允许您通过单个共享连接(也称为“多路复用”)拆分应用程序的逻辑。 介绍 每个命名空间都有自己的: 事件处理程序 io . of ( "/orders" ) . on ( "connection" , ( socket ) => { socket . on ( "order:list" , ( ) => { } ) ; socket . on ( "order:create" , ( ) => { } ) ; } ) ; io . of ( "/users" ) . on ( "connection" , ( socket ) => { socket . on ( "user:list" , ( ) => { } ) ; } ) ; 房间 const orderNamespace = io . of ( "/orders" ) ; orderNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; orderNamespace . to ( "room1" ) . emit ( "hello" ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; // distinct from the room in the "orders" namespace userNamespace . to ( "room1" ) . emit ( "holà" ) ; } ) ; 中间件 const orderNamespace = io . of ( "/orders" ) ; orderNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "orders" namespace, and then next ( ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "users" namespace, and then next ( ) ; } ) ; 可能的用例: 您想创建一个只有授权用户才能访问的特殊命名空间,因此与这些用户相关的逻辑与应用程序的其余部分分离 const adminNamespace = io . of ( "/admin" ) ; adminNamespace . use ( ( socket , next ) => { // ensure the user has sufficient rights next ( ) ; } ) ; adminNamespace . on ( "connection" , socket => { socket . on ( "delete user" , ( ) => { // ... } ) ; } ) ; 您的应用程序有多个租户,因此您希望为每个租户动态创建一个命名空间 const workspaces = io . of ( / ^\/\w+$ / ) ; workspaces . on ( "connection" , socket => { const workspace = socket . nsp ; workspace . emit ( "hello" ) ; } ) ; 主命名空间 到目前为止,您与称为 / 的主名称空间进行了互动。 io 实例继承了它的所有方法: io . on ( "connection" , ( socket ) => { } ) ; io . use ( ( socket , next ) => { next ( ) } ) ; io . emit ( "hello" ) ; // are actually equivalent to io . of ( "/" ) . on ( "connection" , ( socket ) => { } ) ; io . of ( "/" ) . use ( ( socket , next ) => { next ( ) } ) ; io . of ( "/" ) . emit ( "hello" ) ; 有些教程可能还会提到 io.sockets ,它只是 io.of("/") . io . sockets === io . of ( "/" ) 自定义命名空间 要设置自定义命名空间,您可以 of 在服务器端调用该函数: const nsp = io . of ( "/my-namespace" ) ; nsp . on ( "connection" , socket => { console . log ( "someone connected" ) ; } ) ; nsp . emit ( "hi" , "everyone!" ) ; 客户端初始化 同源版本: const socket = io ( ) ; // or io("/"), the main namespace const orderSocket = io ( "/orders" ) ; // the "orders" namespace const userSocket = io ( "/users" ) ; // the "users" namespace 跨域/Node.js 版本: const socket = io ( "https://example.com" ) ; // or io("https://example.com/"), the main namespace const orderSocket = io ( "https://example.com/orders" ) ; // the "orders" namespace const userSocket = io ( "https://example.com/users" ) ; // the "users" namespace 在上面的示例中,只会建立一个 WebSocket 连接,并且数据包会自动路由到正确的命名空间。 请注意,在以下情况下将禁用多路复用: 同一命名空间的多次创建 const socket1 = io ( ) ; const socket2 = io ( ) ; // no multiplexing, two distinct WebSocket connections 不同的域 const socket1 = io ( "https://first.example.com" ) ; const socket2 = io ( "https://second.example.com" ) ; // no multiplexing, two distinct WebSocket connections forceNew 配置的使用 const socket1 = io ( ) ; const socket2 = io ( "/admin" , { forceNew : true } ) ; // no multiplexing, two distinct WebSocket connections 动态命名空间 也可以使用正则表达式动态创建命名空间: io . of ( / ^\/dynamic-\d+$ / ) ; 或具有功能: io . of ( ( name , auth , next ) => { next ( null , true ) ; // or false, when the creation is denied } ) ; 您可以在事件中访问新的命名空间 connection : io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { const namespace = socket . nsp ; } ) ; 方法的返回值 of() 就是我们所说的父命名空间,你可以从中: 注册 中间件 const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . use ( ( socket , next ) => { next ( ) } ) ; 中间件将自动在每个子命名空间上注册。 广播 事件 const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . emit ( "hello" ) ; // will be sent to users in /dynamic-1, /dynamic-2, ... 警告 现有命名空间优先于动态命名空间。例如: // register "dynamic-101" namespace io . of ( "/dynamic-101" ) ; io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { // will not be called for a connection on the "dynamic-101" namespace } ) ; 完整API 可以在 此处 找到命名空间实例公开的完整 API 。 编辑此页 上次更新时间 在 2025年11月15日 上一页 Azure Service Bus adapter 下一页 自定义解析器 介绍 主命名空间 自定义命名空间 客户端初始化 动态命名空间 完整API 文档 Guide Tutorial 示例 服务器端API 客户端API Help Troubleshooting Stack Overflow GitHub Discussions Slack News 博客 Twitter Tools CDN Admin UI About FAQ Changelog Roadmap 成为赞助商 Copyright © 2025 Socket.IO | 2026-01-13T08:48:24 |
https://socket.io/docs/v3/broadcasting-events/ | Broadcasting events | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 3.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Emitting events Listening to events Broadcasting events Rooms Emit cheatsheet Advanced Migrations Miscellaneous This is documentation for Socket.IO 3.x , which is no longer actively maintained. For up-to-date documentation, see the latest version ( 4.x ). Events Broadcasting events Version: 3.x On this page Broadcasting events Socket.IO makes it easy to send events to all the connected clients. info Please note that broadcasting is a server-only feature. To all connected clients io . emit ( "hello" , "world" ) ; caution Clients that are currently disconnected (or in the process of reconnecting) won't receive the event. Storing this event somewhere (in a database, for example) is up to you, depending on your use case. To all connected clients except the sender io . on ( "connection" , ( socket ) => { socket . broadcast . emit ( "hello" , "world" ) ; } ) ; note In the example above, using socket.emit("hello", "world") (without broadcast flag) would send the event to "client A". You can find the list of all the ways to send an event in the cheatsheet . With multiple Socket.IO servers Broadcasting also works with multiple Socket.IO servers. You just need to replace the default Adapter by the Redis Adapter. More information about it here . In certain cases, you may want to only broadcast to clients that are connected to the current server. You can achieve this with the local flag: io . local . emit ( "hello" , "world" ) ; In order to target specific clients when broadcasting, please see the documentation about Rooms . Edit this page Last updated on Nov 15, 2025 Previous Listening to events Next Rooms To all connected clients To all connected clients except the sender With multiple Socket.IO servers Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://ruul.io/blog/the-great-resignation-explained-who-left-their-jobs-and-why | Blog | For Freelancers, Creators, and Indie Professionals Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow 13 Best Fiverr Alternatives Freelancers Need to Know Read POPULAR ARTICLES How to Accept Online Payments: A Comprehensive Guide for Businesses and Freelancers Learn how to set up and manage secure online payment systems for your business or freelance work. Discover popular payment methods, integration tips, security measures, and best practices to streamline transactions and boost efficiency. Top 15 Digital Nomad Jobs in 2025 Explore the 15 best digital nomad jobs in 2025, from writing to coding—fully remote, high-paying, and travel-friendly. The Ultimate Best AI Tools for Freelancers: Boosting Productivity in 2025 Discover the ultimate AI tools for freelancers in 2025 to enhance productivity and efficiency. From writing and graphic design to project management, explore top AI tools like ChatGPT, Grammarly, Canva, and more. Start optimizing your freelancing. How to Accept Cryptocurrency Payments Find the methods, benefits, and security considerations for accepting crypto payments. Know how cryptocurrencies can open new opportunities for your business. What to Sell as a Digital Product Want to make money while you sleep? From AI art to ebooks and plugins, here’s what actually sells in 2025 and makes your wallet happy! Best 13 Motivational Apps and Techniques You Need As You Work Solo Lack of motivation as an independent? See these motivation apps and techniques. get paid sell grow work news trends get paid sell grow work news trends How to Make Freelance Money I’ve mapped out the freelance income paths that will stick around until 2030. Shared all the pro tips and details in this post. Come check it out! Introducing MiniPay on Ruul: Faster Stablecoin Payment Ruul & MiniPay now bring instant, stablecoin payments with zero withdrawal fee for freelancers. Create virtual USD/EUR accounts, enjoy fast global transfers, and earn up to $275 in bonuses. Best Freelancing Websites Struggling to pick a freelancing website? These 16 categorized freelancing platforms will save your time, energy, and maybe your sanity! How to Get Paid as a Freelancer Don't let payments ruin your business! We've covered everything from the most important steps to the best methods! Designer's Guide to Dribbble All the potential Dribbble has to offer, and all the areas where it leaves you hanging. This Guide gives you all of that and more. Best Freelance Jobs You're looking for the best freelance jobs AI won't wipe out. Safe, in-demand, future-ready, long-lasting work… you'll find it all right here. MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://ruul.io/blog/the-ultimate-survival-guide-for-parents-who-work-from-home | Blog | For Freelancers, Creators, and Indie Professionals Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow 13 Best Fiverr Alternatives Freelancers Need to Know Read POPULAR ARTICLES How to Accept Online Payments: A Comprehensive Guide for Businesses and Freelancers Learn how to set up and manage secure online payment systems for your business or freelance work. Discover popular payment methods, integration tips, security measures, and best practices to streamline transactions and boost efficiency. Top 15 Digital Nomad Jobs in 2025 Explore the 15 best digital nomad jobs in 2025, from writing to coding—fully remote, high-paying, and travel-friendly. The Ultimate Best AI Tools for Freelancers: Boosting Productivity in 2025 Discover the ultimate AI tools for freelancers in 2025 to enhance productivity and efficiency. From writing and graphic design to project management, explore top AI tools like ChatGPT, Grammarly, Canva, and more. Start optimizing your freelancing. How to Accept Cryptocurrency Payments Find the methods, benefits, and security considerations for accepting crypto payments. Know how cryptocurrencies can open new opportunities for your business. What to Sell as a Digital Product Want to make money while you sleep? From AI art to ebooks and plugins, here’s what actually sells in 2025 and makes your wallet happy! Best 13 Motivational Apps and Techniques You Need As You Work Solo Lack of motivation as an independent? See these motivation apps and techniques. get paid sell grow work news trends get paid sell grow work news trends How to Make Freelance Money I’ve mapped out the freelance income paths that will stick around until 2030. Shared all the pro tips and details in this post. Come check it out! Introducing MiniPay on Ruul: Faster Stablecoin Payment Ruul & MiniPay now bring instant, stablecoin payments with zero withdrawal fee for freelancers. Create virtual USD/EUR accounts, enjoy fast global transfers, and earn up to $275 in bonuses. Best Freelancing Websites Struggling to pick a freelancing website? These 16 categorized freelancing platforms will save your time, energy, and maybe your sanity! How to Get Paid as a Freelancer Don't let payments ruin your business! We've covered everything from the most important steps to the best methods! Designer's Guide to Dribbble All the potential Dribbble has to offer, and all the areas where it leaves you hanging. This Guide gives you all of that and more. Best Freelance Jobs You're looking for the best freelance jobs AI won't wipe out. Safe, in-demand, future-ready, long-lasting work… you'll find it all right here. MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://www.suprsend.com/comparison-page/bandwidth-vs-plivo-2024 | Comparing the Top Messaging Platforms (2025) Product FEATURES Template Engine Powerful template editors for all channels App Inbox Fully customizable inbox for your app & website Analytics Deep data insights on notification performance Logs Real-time notifications logs for all channels Smart Routing Reach users where they are Branding Seamlessly manage multi-brand customization Workflows Craft complex notification workflows Bifrost Run notifications natively on data warehouse Preferences Develop user focused notifications Integrations Integrate any channel and provider within mins Solutions BY USECASES Transactional Real-time alerts like authentication, activity updates Batching & Digest Aggregate multiple alerts into one Collaboration & Action Alerts on cross-user activity Scheduled Notifications One-time or recurring alerts like reminders Multi-tenant Alerts tailored to your customer's preferences Announcement / Newsletters Feature releases, achievements, product & policy updates Pricing Docs Customers Blog Login Get Started For Free Login Sign up Email management Comparing the Top Messaging Platforms (2025) Nikita Navral • December 2, 2025 TABLE OF CONTENTS Businesses rely on cloud communications platforms to power SMS alerts, authentication flows, customer engagement, and global voice calling. With so many options available, it’s important to understand how the major players differ in capabilities, pricing, and security. Below is a clear comparison of RingCentral, MessageBird, Plivo, Karix, Twilio, Sinch, Exotel, Telnyx, Ooma, Bandwidth, Gupshup, Vonage, and Amazon SNS - with key features, cost, and security included for each. Twilio Key Features: SMS/MMS, voice, WhatsApp, chat, email (SendGrid), video, global phone numbers, user authentication. Cost: Pay-as-you-go. US SMS ~ $0.0079 outbound; voice outbound ~ $0.014/min. SendGrid email plans start at $19.95/month. Security: HTTPS APIs, API key authentication, enterprise-grade controls depending on product. MessageBird (Bird) Key Features: SMS, WhatsApp, email, voice, multichannel inbox, 2FA/verify, omnichannel automation. Cost: US SMS ~ $0.008/message; WhatsApp from ~$0.005/message; dedicated numbers from ~$0.50/month. Security: ISO/IEC 27001:2013, SOC 2 Type II, GDPR-aligned, regulated under Dutch telecommunications authority. Plivo Key Features: SMS, MMS, voice APIs, WhatsApp, user verification APIs, Fraud Shield protection. Cost: US SMS ~ $0.0055/message; MMS ~ $0.018/message; plans also available starting around $25/month. Security: Fraud Shield for SMS fraud, standard API security, compliance frameworks appropriate for telecom workflows. Sinch Key Features: Global messaging, voice APIs, phone number provisioning, enterprise conversational tools, in-app voice/video SDKs. Cost: Pay-as-you-go; pricing varies by region and channel. Security: Enterprise security posture; used widely by large regulated businesses. RingCentral Key Features: Enterprise UCaaS and CCaaS — voice, video, messaging, contact center, team collaboration. Cost: Subscription-based; varies by seat and plan tier. Security: 99.999% uptime SLA, enterprise compliance standards, secure global network. Vonage Key Features: Business phone systems, unified communications, plus APIs for voice, SMS, video, messaging. Cost: Varies by product; SMS and voice pricing similar to other CPaaS players. Security: Industry-standard certifications (ISO 27001, HIPAA support in certain offerings). Bandwidth Key Features: Voice, messaging, emergency services APIs built on its own carrier network. Cost: Usage-based; typically competitive because Bandwidth owns telecom infrastructure. Security: Strong network-level security due to owning carrier backbone; enterprise-grade controls. Telnyx Key Features: Programmable voice, SMS, SIP trunking, wireless IoT, phone numbers; operates its own global private network. Cost: Generally lower than Twilio in many regions; usage-based for SMS/voice. Security: Private global network architecture, encrypted communications, strong compliance posture. Karix Key Features: SMS, voice, WhatsApp, and multichannel messaging, with strong performance in India/APAC. Cost: Pricing varies by region and volume; typically optimized for India and emerging markets. Security: Regional telecom compliance; enterprise messaging security standards. Exotel Key Features: Cloud telephony, IVR, virtual numbers, call routing, contact-center tools, SMS, WhatsApp. Cost: Region-based pricing; popular for cost-effective India/SEA deployments. Security: Telecom-grade compliance in India, SEA, and Middle East markets. Gupshup Key Features: SMS, WhatsApp, RCS, conversational messaging, bot frameworks, commerce and marketing flows. Cost: Pricing varies by channel and country; optimized for India, LATAM, and emerging markets. Security: Regional compliance and enterprise-grade security for messaging workflows. Ooma Key Features: SMB VoIP phone systems, virtual receptionist, call routing, basic business telephony. Cost: Subscription-based; lower-cost than enterprise UCaaS providers. Security: Standard SMB business-telephony protections; not CPaaS-level programmability. Amazon SNS Key Features: Pub/Sub messaging, SMS notifications, push notifications, email; part of AWS event-driven architecture. Cost: Pay-as-you-go based on notifications sent; AWS regional SMS pricing applies. Security: Inherits AWS IAM, encryption, compliance, monitoring, and infrastructure security. Which Platform Fits Which Use Case? If you want developer APIs to build custom communication flows: Twilio, Plivo, Telnyx, Bandwidth. If you need enterprise communication suites for internal teams: RingCentral, Vonage, Ooma for SMBs. If global omnichannel messaging is key: MessageBird, Sinch, Gupshup, Karix, Exotel. If you’re on AWS and only need notifications: Amazon SNS. Conclusion Each provider has unique strengths: some excel at global messaging, others at enterprise unified communications, others at developer-centric programmability. Understanding key features, pricing, and security posture helps narrow down the best fit for your product, geography, and scale. Share this blog on: Written by: Nikita Navral Co-Founder, SuprSend Implement a powerful stack for your notifications Get Started For Free Book Demo Company About us Signup Login Integrations Pricing Security Privacy Terms Contact Us Support SuprSend for Startups API Status Sign Up Channels Email SMS Notification Inbox Android Push iOS Push Web Push Xiaomi Push Whatsapp SDK Python SDK Node.js SDK Java SDK Android SDK React Native SDK iOS SDK Flutter SDK Go SDK Resources Documentation Changelog Blogs Write for us SMTP Error Codes SMS Providers Comparisons Email Providers Comparisons SMS Providers Alternatives Join us on Slack We are building a community of developers and product builders from across the globe to make notifications a pleasant experience. © 2025 All rights reserved. SuprStack Inc. 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 Get 10% OFF on your next order Subscribe to our newsletter and receive a 10% OFF coupon to use on your next order. Please check your email for your 10% OFF coupon Oops! Something went wrong while submitting the form. | 2026-01-13T08:48:24 |
https://www.fine.dev/blog/ai-replace-programmers-fr | L'IA remplacera-t-elle les programmeurs ? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back L'IA remplacera-t-elle les programmeurs ? La question « L'IA remplacera-t-elle les programmeurs ? » circule dans les cercles technologiques, suscitant à la fois excitation et inquiétude. À mesure que les outils de codage alimentés par l'IA deviennent plus avancés, il est légitime de se demander : où cela laisse-t-il les développeurs humains ? Explorons les perspectives des voix de premier plan dans le domaine. L'argument en faveur de la révolution de l'IA dans le développement L'IA transforme le développement logiciel L'IA transforme indéniablement notre approche du développement logiciel. Des outils comme GitHub Copilot et des plateformes comme Fine permettent aux développeurs de rationaliser les tâches répétitives. Comme le note un article , « L'IA peut produire des extraits de code ou des fonctions entières basées sur des invites en langage naturel, rationalisant le développement » (The Tech Bible). Rendre le codage plus accessible Ces outils ne se contentent pas de faire gagner du temps ; ils rendent également le codage plus accessible. Par exemple, l'IA peut aider les débutants avec des conseils en temps réel, agissant comme un mentor personnel Techies Spot . Cela abaisse la barrière à l'entrée pour le développement logiciel, ouvrant des portes à davantage de personnes pour participer à l'industrie. L'IA remplacera-t-elle entièrement les programmeurs ? Le consensus semble être un non retentissant. Bien que l'IA excelle à automatiser les tâches répétitives, elle manque de la créativité, de l'intuition et des compétences en résolution de problèmes que les programmeurs humains apportent. Comme l'explique Jonathan's Musings, « L'IA pourrait générer du code, mais comprendre des exigences complexes et les traduire en solutions robustes nécessite encore une perspicacité humaine. » Peter H. Diamandis fait écho à ce sentiment , déclarant, « Plutôt que de remplacer les programmeurs, l'IA agira comme un multiplicateur, permettant aux développeurs de se concentrer sur des tâches de niveau supérieur ». Quand l'IA remplacera-t-elle les programmeurs ? La question de savoir quand, voire si, l'IA remplacera les programmeurs est complexe. Les modèles d'IA actuels, bien que puissants, ont des limitations significatives. Ils manquent de véritable compréhension, génèrent souvent du code incorrect ou non sécurisé, et nécessitent une supervision humaine pour garantir la qualité et la fiabilité. Ces limitations signifient que l'IA est encore loin de pouvoir remplacer entièrement les programmeurs humains. L'évolution des capacités de l'IA L'IA progresse rapidement, et il est possible que les futures itérations puissent gérer des tâches de développement plus complexes. Cependant, le calendrier pour cela est incertain. Les experts pensent que l'IA continuera à augmenter les développeurs humains plutôt qu'à les remplacer complètement dans un avenir prévisible. La capacité humaine à comprendre le contexte, à prendre des décisions de jugement et à résoudre des problèmes de manière créative reste irremplaçable. L'IA comme partenaire des programmeurs Rôle collaboratif de l'IA La perspective la plus prometteuse sur l'IA dans la programmation est son rôle de partenaire collaboratif. Les développeurs peuvent tirer parti de l'IA pour automatiser les tâches routinières, générer du code standard et même déboguer des systèmes complexes. Selon Billy Newport, « Les assistants de codage IA s'intégreront parfaitement dans des outils comme GitHub, agissant comme des collaborateurs rapides et efficaces plutôt que comme des remplaçants » (Billy Newport). Solution de développeur IA de Fine La solution de développeur IA de Fine est un parfait exemple de ce partenariat en action. Avec des fonctionnalités comme les aperçus en direct et les flux de travail IA, Fine permet aux développeurs d'écrire, de tester et de peaufiner le code en temps réel. En automatisant le banal, les développeurs peuvent se concentrer sur l'innovation et la résolution de problèmes. Conclusion Alors, l'IA remplacera-t-elle les programmeurs ? La réponse est non, mais elle les rendra plus productifs, créatifs et percutants que jamais. L'IA n'est pas un remplacement pour l'ingéniosité humaine ; c'est un outil pour l'améliorer. À mesure que l'industrie évolue, des plateformes comme Fine mèneront la charge, aidant les développeurs à accomplir plus avec moins de friction. Fine est une solution idéale pour les startups cherchant à optimiser leurs processus de développement et à maximiser la productivité sans avoir besoin de grandes équipes. En automatisant les tâches répétitives, Fine permet aux équipes de startups de se concentrer sur l'innovation, accélérant leur mise sur le marché. Intéressé à l'essayer ? Inscrivez-vous à Fine aujourd'hui et voyez comment l'IA peut renforcer votre parcours de codage et aider votre startup à évoluer efficacement. Avec l'IA dans votre boîte à outils, l'avenir de la programmation semble plus prometteur que jamais. 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:48:24 |
https://socket.io/docs/v4/client-options/#forcenew | Client options | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO API Options Options Version: 4.x On this page Client options IO factory options forceNew Default value: false Whether to create a new Manager instance. A Manager instance is in charge of the low-level connection to the server (established with HTTP long-polling or WebSocket). It handles the reconnection logic. A Socket instance is the interface which is used to sends events to — and receive events from — the server. It belongs to a given namespace . A single Manager can be attached to several Socket instances. The following example will reuse the same Manager instance for the 3 Socket instances (one single WebSocket connection): const socket = io ( "https://example.com" ) ; // the main namespace const productSocket = io ( "https://example.com/product" ) ; // the "product" namespace const orderSocket = io ( "https://example.com/order" ) ; // the "order" namespace The following example will create 3 different Manager instances (and thus 3 distinct WebSocket connections): const socket = io ( "https://example.com" ) ; // the main namespace const productSocket = io ( "https://example.com/product" , { forceNew : true } ) ; // the "product" namespace const orderSocket = io ( "https://example.com/order" , { forceNew : true } ) ; // the "order" namespace Reusing an existing namespace will also create a new Manager each time: const socket1 = io ( ) ; // 1st manager const socket2 = io ( ) ; // 2nd manager const socket3 = io ( "/admin" ) ; // reuse the 1st manager const socket4 = io ( "/admin" ) ; // 3rd manager multiplex Default value: true The opposite of forceNew : whether to reuse an existing Manager instance. const socket = io ( ) ; // 1st manager const adminSocket = io ( "/admin" , { multiplex : false } ) ; // 2nd manager Low-level engine options info These settings will be shared by all Socket instances attached to the same Manager. addTrailingSlash Added in v4.6.0 The trailing slash which was added by default can now be disabled: import { io } from "socket.io-client" ; const socket = io ( "https://example.com" , { addTrailingSlash : false } ) ; In the example above, the request URL will be https://example.com/socket.io instead of https://example.com/socket.io/ . autoUnref Added in v4.0.0 Default value: false With autoUnref set to true , the Socket.IO client will allow the program to exit if there is no other active timer/TCP socket in the event system (even if the client is connected): import { io } from "socket.io-client" ; const socket = io ( { autoUnref : true } ) ; See also: https://nodejs.org/api/timers.html#timeoutunref closeOnBeforeunload History Version Changes v4.7.1 The option now defaults to false . v4.1.0 First implementation. Default value: false Whether to (silently) close the connection when the beforeunload event is emitted in the browser. When this option is set to false (the default value), the Socket instance will emit a disconnect event when the user reloads the page on Firefox : note This behavior is specific to Firefox, on other browsers the Socket instance will not emit any disconnect event when the user reloads the page. When this option is set to true , all browsers will have the same behavior (no disconnect event when reloading the page): caution If you use the beforeunload event in your application ("are you sure that you want to leave this page?"), it is recommended to leave this option to false . Please check this issue for more information. extraHeaders Default value: - Additional headers (then found in socket.handshake.headers object on the server-side). Example: Client import { io } from "socket.io-client" ; const socket = io ( { extraHeaders : { "my-custom-header" : "1234" } } ) ; Server io . on ( "connection" , ( socket ) => { console . log ( socket . handshake . headers ) ; // an object containing "my-custom-header": "1234" } ) ; caution In a browser environment, the extraHeaders option will be ignored if you only enable the WebSocket transport, since the WebSocket API in the browser does not allow providing custom headers. import { io } from "socket.io-client" ; const socket = io ( { transports : [ "websocket" ] , extraHeaders : { "my-custom-header" : "1234" // ignored } } ) ; This will work in Node.js or in React-Native though. Documentation: WebSocket API forceBase64 Default value: false Whether to force base64 encoding for binary content sent over WebSocket (always enabled for HTTP long-polling). path Default value: /socket.io/ It is the name of the path that is captured on the server side. caution The server and the client values must match (unless you are using a path-rewriting proxy in between). Client import { io } from "socket.io-client" ; const socket = io ( "https://example.com" , { path : "/my-custom-path/" } ) ; Server import { createServer } from "http" ; import { Server } from "socket.io" ; const httpServer = createServer ( ) ; const io = new Server ( httpServer , { path : "/my-custom-path/" } ) ; Please note that this is different from the path in the URI, which represents the Namespace . Example: import { io } from "socket.io-client" ; const socket = io ( "https://example.com/order" , { path : "/my-custom-path/" } ) ; the Socket instance is attached to the "order" Namespace the HTTP requests will look like: GET https://example.com/my-custom-path/?EIO=4&transport=polling&t=ML4jUwU protocols Added in v2.0.0 Default value: - Either a single protocol string or an array of protocol strings. These strings are used to indicate sub-protocols, so that a single server can implement multiple WebSocket sub-protocols (for example, you might want one server to be able to handle different types of interactions depending on the specified protocol). import { io } from "socket.io-client" ; const socket = io ( { transports : [ "websocket" ] , protocols : [ "my-protocol-v1" ] } ) ; Server: io . on ( "connection" , ( socket ) => { const transport = socket . conn . transport ; console . log ( transport . socket . protocol ) ; // prints "my-protocol-v1" } ) ; References: https://datatracker.ietf.org/doc/html/rfc6455#section-1.9 https://developer.mozilla.org/en-US/docs/Web/API/WebSocket/WebSocket query Default value: - Additional query parameters (then found in socket.handshake.query object on the server-side). Example: Client import { io } from "socket.io-client" ; const socket = io ( { query : { x : 42 } } ) ; Server io . on ( "connection" , ( socket ) => { console . log ( socket . handshake . query ) ; // prints { x: "42", EIO: "4", transport: "polling" } } ) ; The query parameters cannot be updated for the duration of the session, so changing the query on the client-side will only be effective when the current session gets closed and a new one is created: socket . io . on ( "reconnect_attempt" , ( ) => { socket . io . opts . query . x ++ ; } ) ; Note: the following query parameters are reserved and can't be used in your application: EIO : the version of the protocol (currently, "4") transport : the transport name ("polling" or "websocket") sid : the session ID j : if the transport is polling but a JSONP response is required t : a hashed-timestamp used for cache-busting rememberUpgrade Default value: false If true and if the previous WebSocket connection to the server succeeded, the connection attempt will bypass the normal upgrade process and will initially try WebSocket. A connection attempt following a transport error will use the normal upgrade process. It is recommended you turn this on only when using SSL/TLS connections, or if you know that your network does not block websockets. timestampParam Default value: "t" The name of the query parameter to use as our timestamp key. timestampRequests Default value: true Whether to add the timestamp query param to each request (for cache busting). transportOptions Added in v2.0.0 Default value: {} Transport-specific options. Example: import { io } from "socket.io-client" ; const socket = io ( { path : "/path-for-http-long-polling/" , transportOptions : { websocket : { path : "/path-for-websocket/" } } } ) ; transports History Version Changes v4.8.0 You can now pass an array of transport implementations. v4.7.0 webtransport is added. v1.0.0 First implementation. Default value: ["polling", "websocket", "webtransport"] The low-level connection to the Socket.IO server can either be established with: HTTP long-polling: successive HTTP requests ( POST for writing, GET for reading) WebSocket WebTransport The following example disables the HTTP long-polling transport: const socket = io ( "https://example.com" , { transports : [ "websocket" ] } ) ; Note: in that case, sticky sessions are not required on the server side (more information here ). By default, the HTTP long-polling connection is established first, and then an upgrade to WebSocket is attempted (explanation here ). You can use WebSocket first with: const socket = io ( "https://example.com" , { transports : [ "websocket" , "polling" ] // use WebSocket first, if available } ) ; socket . on ( "connect_error" , ( ) => { // revert to classic upgrade socket . io . opts . transports = [ "polling" , "websocket" ] ; } ) ; One possible downside is that the validity of your CORS configuration will only be checked if the WebSocket connection fails to be established. You can also pass an array of transport implementations: import { io } from "socket.io-client" ; import { Fetch , WebSocket } from "engine.io-client" ; const socket = io ( { transports : [ Fetch , WebSocket ] } ) ; Here is the list of provided implementations: Transport Description Fetch HTTP long-polling based on the built-in fetch() method. NodeXHR HTTP long-polling based on the XMLHttpRequest object provided by the xmlhttprequest-ssl package. XHR HTTP long-polling based on the built-in XMLHttpRequest object. NodeWebSocket WebSocket transport based on the WebSocket object provided by the ws package. WebSocket WebSocket transport based on the built-in WebSocket object. WebTransport WebTransport transport based on the built-in WebTransport object. Usage: Transport browser Node.js Deno Bun Fetch ✅ ✅ (1) ✅ ✅ NodeXHR ✅ ✅ ✅ XHR ✅ NodeWebSocket ✅ ✅ ✅ WebSocket ✅ ✅ (2) ✅ ✅ WebTransport ✅ ✅ (1) since v18.0.0 (2) since v21.0.0 tryAllTransports Added in v4.8.0 Default value: false When setting the tryAllTransports option to true , if the first transport (usually, HTTP long-polling) fails, then the other transports will be tested too: import { io } from "socket.io-client" ; const socket = io ( { tryAllTransports : true } ) ; This feature is useful in two cases: when HTTP long-polling is disabled on the server, or if CORS fails when WebSocket is tested first (with transports: ["websocket", "polling"] ) The only potential downside is that the connection attempt could take more time in case of failure, as there have been reports of WebSocket connection errors taking several seconds before being detected (that's one reason for using HTTP long-polling first). That's why the option defaults to false for now. upgrade Default value: true Whether the client should try to upgrade the transport from HTTP long-polling to something better. withCredentials History Version Changes v4.7.0 The Node.js client now honors the withCredentials setting. v3.0.0 withCredentials now defaults to false . v1.0.0 First implementation. Default value: false Whether the cross-site requests should be sent including credentials such as cookies, authorization headers or TLS client certificates. Setting withCredentials has no effect on same-site requests. import { io } from "socket.io-client" ; const socket = io ( "https://my-backend.com" , { withCredentials : true } ) ; The server needs to send the right Access-Control-Allow-* headers to allow the connection: import { createServer } from "http" ; import { Server } from "socket.io" ; const httpServer = createServer ( ) ; const io = new Server ( httpServer , { cors : { origin : "https://my-frontend.com" , credentials : true } } ) ; caution You cannot use origin: * when setting withCredentials to true . This will trigger the following error: Cross-Origin Request Blocked: The Same Origin Policy disallows reading the remote resource at ‘.../socket.io/?EIO=4&transport=polling&t=NvQfU77’. (Reason: Credential is not supported if the CORS header ‘Access-Control-Allow-Origin’ is ‘*’) Documentation: XMLHttpRequest.withCredentials Handling CORS info Starting with version 4.7.0 , when setting the withCredentials option to true , the Node.js client will now include the cookies in the HTTP requests, making it easier to use it with cookie-based sticky sessions. Node.js-specific options The following options are supported: agent pfx key passphrase cert ca ciphers rejectUnauthorized Please refer to the Node.js documentation: tls.connect(options[, callback]) tls.createSecureContext([options]) Example with a self-signed certificate: Client import { readFileSync } from "fs" ; import { io } from "socket.io-client" ; const socket = io ( "https://example.com" , { ca : readFileSync ( "./cert.pem" ) } ) ; Server import { readFileSync } from "fs" ; import { createServer } from "https" ; import { Server } from "socket.io" ; const httpServer = createServer ( { cert : readFileSync ( "./cert.pem" ) , key : readFileSync ( "./key.pem" ) } ) ; const io = new Server ( httpServer ) ; Example with client-certificate authentication: Client import { readFileSync } from "fs" ; import { io } from "socket.io-client" ; const socket = io ( "https://example.com" , { ca : readFileSync ( "./server-cert.pem" ) , cert : readFileSync ( "./client-cert.pem" ) , key : readFileSync ( "./client-key.pem" ) , } ) ; Server import { readFileSync } from "fs" ; import { createServer } from "https" ; import { Server } from "socket.io" ; const httpServer = createServer ( { cert : readFileSync ( "./server-cert.pem" ) , key : readFileSync ( "./server-key.pem" ) , requestCert : true , ca : [ readFileSync ( "client-cert.pem" ) ] } ) ; const io = new Server ( httpServer ) ; caution rejectUnauthorized is a Node.js-only option, it will not bypass the security check in the browser: Manager options info These settings will be shared by all Socket instances attached to the same Manager. autoConnect Default value: true Whether to automatically connect upon creation. If set to false , you need to manually connect: import { io } from "socket.io-client" ; const socket = io ( { autoConnect : false } ) ; socket . connect ( ) ; // or socket . io . open ( ) ; parser Added in v2.2.0 Default value: require("socket.io-parser") The parser used to marshall/unmarshall packets. Please see here for more information. randomizationFactor Default value: 0.5 The randomization factor used when reconnecting (so that the clients do not reconnect at the exact same time after a server crash, for example). Example with the default values: 1st reconnection attempt happens between 500 and 1500 ms ( 1000 * 2^0 * (<something between -0.5 and 1.5>) ) 2nd reconnection attempt happens between 1000 and 3000 ms ( 1000 * 2^1 * (<something between -0.5 and 1.5>) ) 3rd reconnection attempt happens between 2000 and 5000 ms ( 1000 * 2^2 * (<something between -0.5 and 1.5>) ) next reconnection attempts happen after 5000 ms reconnection Default value: true Whether reconnection is enabled or not. If set to false , you need to manually reconnect: import { io } from "socket.io-client" ; const socket = io ( { reconnection : false } ) ; const tryReconnect = ( ) => { setTimeout ( ( ) => { socket . io . open ( ( err ) => { if ( err ) { tryReconnect ( ) ; } } ) ; } , 2000 ) ; } socket . io . on ( "close" , tryReconnect ) ; reconnectionAttempts Default value: Infinity The number of reconnection attempts before giving up. reconnectionDelay Default value: 1000 The initial delay before reconnection in milliseconds (affected by the randomizationFactor value). reconnectionDelayMax Default value: 5000 The maximum delay between two reconnection attempts. Each attempt increases the reconnection delay by 2x. timeout Default value: 20000 The timeout in milliseconds for each connection attempt. Socket options info These settings are specific to the given Socket instance. ackTimeout Added in v4.6.0 Default value: - The default timeout in milliseconds used when waiting for an acknowledgement (not to be mixed up with the already existing timeout option, which is used by the Manager during the connection). Must be used in conjunction with retries . auth Added in v3.0.0 Default value: - Credentials that are sent when accessing a namespace (see also here ). Example: Client import { io } from "socket.io-client" ; const socket = io ( { auth : { token : "abcd" } } ) ; // or with a function const socket = io ( { auth : ( cb ) => { cb ( { token : localStorage . token } ) } } ) ; Server io . on ( "connection" , ( socket ) => { console . log ( socket . handshake . auth ) ; // prints { token: "abcd" } } ) ; You can update the auth map when the access to the Namespace is denied: socket . on ( "connect_error" , ( err ) => { if ( err . message === "invalid credentials" ) { socket . auth . token = "efgh" ; socket . connect ( ) ; } } ) ; Or manually force the Socket instance to reconnect: socket . auth . token = "efgh" ; socket . disconnect ( ) . connect ( ) ; retries Added in v4.6.0 Default value: - The maximum number of retries. Above the limit, the packet will be discarded. const socket = io ( { retries : 3 , ackTimeout : 10000 } ) ; // implicit ack socket . emit ( "my-event" ) ; // explicit ack socket . emit ( "my-event" , ( err , val ) => { /* ... */ } ) ; // custom timeout (in that case the ackTimeout is optional) socket . timeout ( 5000 ) . emit ( "my-event" , ( err , val ) => { /* ... */ } ) ; caution The event must be acknowledged by the server (even with implicit ack): io . on ( "connection" , ( socket ) => { socket . on ( "my-event" , ( cb ) => { cb ( "got it" ) ; } ) ; } ) ; Else, the client will keep trying to send the event (up to retries + 1 times). Edit this page Last updated on Nov 15, 2025 Previous API IO factory options forceNew multiplex Low-level engine options addTrailingSlash autoUnref closeOnBeforeunload extraHeaders forceBase64 path protocols query rememberUpgrade timestampParam timestampRequests transportOptions transports tryAllTransports upgrade withCredentials Node.js-specific options Manager options autoConnect parser randomizationFactor reconnection reconnectionAttempts reconnectionDelay reconnectionDelayMax timeout Socket options ackTimeout auth retries Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/listening-to-events/ | Listening to events | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Emitting events Listening to events Broadcasting events Rooms Adapters Advanced Migrations Miscellaneous Events Listening to events Version: 4.x On this page Listening to events There are several ways to handle events that are transmitted between the server and the client. EventEmitter methods On the server-side, the Socket instance extends the Node.js EventEmitter class. On the client-side, the Socket instance uses the event emitter provided by the component-emitter library, which exposes a subset of the EventEmitter methods. socket.on(eventName, listener) Adds the listener function to the end of the listeners array for the event named eventName . socket . on ( "details" , ( ... args ) => { // ... } ) ; socket.once(eventName, listener) Adds a one-time listener function for the event named eventName socket . once ( "details" , ( ... args ) => { // ... } ) ; socket.off(eventName, listener) Removes the specified listener from the listener array for the event named eventName . const listener = ( ... args ) => { console . log ( args ) ; } socket . on ( "details" , listener ) ; // and then later... socket . off ( "details" , listener ) ; socket.removeAllListeners( [eventName] ) Removes all listeners, or those of the specified eventName . // for a specific event socket . removeAllListeners ( "details" ) ; // for all events socket . removeAllListeners ( ) ; Catch-all listeners Since Socket.IO v3, a new API inspired from the EventEmitter2 library allows to declare catch-all listeners. This feature is available on both the client and the server. socket.onAny(listener) Adds a listener that will be fired when any event is emitted. socket . onAny ( ( eventName , ... args ) => { // ... } ) ; caution Acknowledgements are not caught in the catch-all listener. socket . emit ( "foo" , ( value ) => { // ... } ) ; socket . onAnyOutgoing ( ( ) => { // triggered when the event is sent } ) ; socket . onAny ( ( ) => { // not triggered when the acknowledgement is received } ) ; socket.prependAny(listener) Adds a listener that will be fired when any event is emitted. The listener is added to the beginning of the listeners array. socket . prependAny ( ( eventName , ... args ) => { // ... } ) ; socket.offAny( [listener] ) Removes all catch-all listeners, or the given listener. const listener = ( eventName , ... args ) => { console . log ( eventName , args ) ; } socket . onAny ( listener ) ; // and then later... socket . offAny ( listener ) ; // or all listeners socket . offAny ( ) ; socket.onAnyOutgoing(listener) Register a new catch-all listener for outgoing packets. socket . onAnyOutgoing ( ( event , ... args ) => { // ... } ) ; caution Acknowledgements are not caught in the catch-all listener. socket . on ( "foo" , ( value , callback ) => { callback ( "OK" ) ; } ) ; socket . onAny ( ( ) => { // triggered when the event is received } ) ; socket . onAnyOutgoing ( ( ) => { // not triggered when the acknowledgement is sent } ) ; socket.prependAnyOutgoing(listener) Register a new catch-all listener for outgoing packets. The listener is added to the beginning of the listeners array. socket . prependAnyOutgoing ( ( event , ... args ) => { // ... } ) ; socket.offAnyOutgoing( [listener] ) Removes the previously registered listener. If no listener is provided, all catch-all listeners are removed. const listener = ( eventName , ... args ) => { console . log ( eventName , args ) ; } socket . onAnyOutgoing ( listener ) ; // remove a single listener socket . offAnyOutgoing ( listener ) ; // remove all listeners socket . offAnyOutgoing ( ) ; Validation The validation of the event arguments is out of the scope of the Socket.IO library. There are many packages in the JS ecosystem which cover this use case, among them: zod joi ajv validatorjs Example with joi and acknowledgements : const Joi = require ( "joi" ) ; const userSchema = Joi . object ( { username : Joi . string ( ) . max ( 30 ) . required ( ) , email : Joi . string ( ) . email ( ) . required ( ) } ) ; io . on ( "connection" , ( socket ) => { socket . on ( "create user" , ( payload , callback ) => { if ( typeof callback !== "function" ) { // not an acknowledgement return socket . disconnect ( ) ; } const { error , value } = userSchema . validate ( payload ) ; if ( error ) { return callback ( { status : "Bad Request" , error } ) ; } // do something with the value, and then callback ( { status : "OK" } ) ; } ) ; } ) ; Error handling There is currently no built-in error handling in the Socket.IO library, which means you must catch any error that could be thrown in a listener. io . on ( "connection" , ( socket ) => { socket . on ( "list items" , async ( callback ) => { try { const items = await findItems ( ) ; callback ( { status : "OK" , items } ) ; } catch ( e ) { callback ( { status : "NOK" } ) ; } } ) ; } ) ; This can be refactored into: const errorHandler = ( handler ) => { const handleError = ( err ) => { console . error ( "please handle me" , err ) ; } ; return ( ... args ) => { try { const ret = handler . apply ( this , args ) ; if ( ret && typeof ret . catch === "function" ) { // async handler ret . catch ( handleError ) ; } } catch ( e ) { // sync handler handleError ( e ) ; } } ; } ; // server or client side socket . on ( "hello" , errorHandler ( ( ) => { throw new Error ( "let's panic" ) ; } ) ) ; Edit this page Last updated on Nov 15, 2025 Previous Emitting events Next Broadcasting events EventEmitter methods socket.on(eventName, listener) socket.once(eventName, listener) socket.off(eventName, listener) socket.removeAllListeners(eventName) Catch-all listeners socket.onAny(listener) socket.prependAny(listener) socket.offAny(listener) socket.onAnyOutgoing(listener) socket.prependAnyOutgoing(listener) socket.offAnyOutgoing(listener) Validation Error handling Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://www.fine.dev/blog/lovable-vs-bolt-app-builder-comparison | Lovable.dev vs Bolt.new vs Fine: Comparing AI App Builders Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Lovable.dev vs Bolt.new vs Fine: Comparing AI App Builders The rise of AI-driven “vibe coding” platforms is changing how indie hackers and startups build software. Instead of hand-writing every line, you can now describe your idea in plain English (the vibe of your app) and let an AI do the heavy lifting. Three tools leading this trend are Fine.dev , Lovable , and Bolt.new . Each promises an AI app builder experience – a one-stop platform to go from idea to deployed app – but they take slightly different approaches. Let’s break down how they compare in ease of use, frontend quality, backend and database power, deployment, and pricing. Introducing Fine.dev, Lovable, and Bolt.new Fine.dev: A Cloudflare-built, full-stack AI app builder. It touts “AI brings your idea to life” – you explain what your app should do, and Fine handles everything from UI to database fine.dev . It provides built‑in authentication, an instant Postgres database, serverless backend functions, and one-click deployment on Cloudflare’s global edge fine.dev . Fine is designed for no-code (or no-traditional-code) users: “no coding knowledge necessary” to get started fine.dev . In short, it aims to be a true all-in-one solution on Cloudflare’s infrastructure, with usage-based pricing (free to start, then pay as you grow). Lovable: A chat-based AI web app builder (using Claude under the hood). Lovable lets you “vibe-code” by typing natural language prompts (like a conversation) to generate React+Tailwind apps. It automatically scaffolds a React/Vite frontend and hooks it up to a Supabase backend (database, auth, functions) refine.dev . You can attach Figma designs and ask Lovable to integrate APIs (Stripe, OpenAI, etc.). It’s aimed at both non-coders and devs who want a fast prototype. You get a shareable live link instantly and can tweak components through a built-in UI or export code to your own repo. Lovable’s interface feels like chatting with an assistant, with undo/redo, version history, and drag-drop UI tweaks. Bolt.new: An AI app builder by StackBlitz that blurs the line between no-code and full-code. Bolt provides an in-browser IDE alongside its AI – you prompt it and it generates a complete project which you can edit in-browser. It supports both web and mobile apps (with Expo for React Native). For example, you might instruct Bolt, “Build a blog with Astro,” and in seconds it spawns the code skeleton. Bolt then runs the app live right in your browser (“Press Run and your app will run in your hands” refine.dev ), and lets you preview and tweak the code immediately. Bolt also now integrates Expo: you can describe a mobile app in natural language, get the React Native code, and even deploy it to the app stores buzzsprout.com . It’s more hands-on (you see and can edit the code), but still driven by AI prompts. Deployment is one-click via Netlify, giving you a shareable URL as soon as you hit Deploy refine.dev . Developer Experience (Ease of Use) All three aim to make app-building accessible, but their vibes differ: Fine.dev is as close as it gets to no-code app building with AI . You start by telling Fine what you want in plain English – for example, “a multi-user note-taking app with login and search” – and it generates the UI, database schema, and backend logic. As Fine’s site promises, it *“brings your idea to life – no coding knowledge necessary.”* fine.dev . The UI is oriented around tasks, not code: sign in with Google or email, set up auth with clicks, and watch as components and APIs appear. Essentially, Fine handles forms, data models, and serverless functions behind the scenes. It hides implementation details, so even non-technical users can assemble a working app. Feedback from early users highlights how streamlined the flow is: you focus on feature description, not setup. Lovable has a chat-driven experience. You log in, type a command like “Create a blog platform with posts and comments” in natural language, and Lovable’s AI drafts the project. It feels like messaging a developer assistant. You see progress in real-time – there’s a live preview link immediately – and you can ask follow-up prompts to add or refine features. The interface also provides simple visual editing: drag elements, tweak props, and hit Undo /history as you iterate. It’s gentle for beginners but also transparent: Lovable shows you the code it generates (in React/Vite) and you can customize components directly. In short, Lovable balances simplicity with flexibility. DataCamp notes that Lovable “allows anyone to create functional applications without any programming skills” by talking through ideas datacamp.com . The tradeoff is it relies on clever prompting – if you know how to phrase your requirements, it works best. But overall it’s very user-friendly for both non-coders and developers who just want to skip boilerplate. Bolt.new has the steepest initial learning curve but still aims to simplify. You start with a prompt (like “I’d prefer a blog app with Astro”), and Bolt generates the codebase in seconds. Unlike Lovable and Fine, Bolt immediately drops you into an IDE view of that code. So technically it’s less no-code and more code-assisted . It’s great for developers who like to see and tweak code, but don’t want to set up projects from scratch. Bolt’s built-in editor auto-runs the app (no local server install), so you get instant feedback. You can then modify code or add features by chatting with Bolt or adding npm packages via the UI. It also supports designers by allowing Figma import or using templates. The onboarding is straightforward (just click Run ), but full no-coders might find the code view intimidating. In summary: Fine and Lovable abstract away code almost entirely, while Bolt leans into a hybrid model (instant codegen + in-browser IDE). All use natural language to jumpstart development, but Fine is “describe-and-deploy,” Lovable is “chat-and-iterate,” and Bolt is “prompt-to-code.” Frontend Generation Quality Each tool uses modern front-end frameworks, but they differ in style and flexibility: Fine.dev handles all the underlying framework details, letting you focus entirely on the app experience, not the tech stack. The UI it generates is modern, responsive, and clean by default, with styling reminiscent of Tailwind. Whether you're building a SaaS dashboard or a marketing site, Fine produces polished interfaces that feel production-ready out of the box. The layout engine takes care of common UI elements, forms, tables, charts, navigation, automatically styled and structured without needing manual tweaks. You simply describe what you want (e.g. “a bill-splitting app” or “a real estate listing platform”), and Fine builds full pages with sensible design patterns. The result looks and feels like a well-built React app, ready to refine or publish immediately. For builders, it's vibe coding at its best: high-quality UI with minimal effort. Lovable explicitly uses React, Tailwind, and Vite under the hood refine.dev . This means its generated frontend tends to have clean, utility-first CSS styling by default (since Tailwind is known for that). The results look like a standard React SPA. That consistency is good: if you know React, you’ll recognize all components Lovable creates. For instance, a signup form or blog layout is done with Tailwind classes. Because Lovable uses Vite, the development experience (hot reload, etc.) is fast. In practice, Lovable’s outputs are typically well-structured: pages, navigation, and forms are sensible. You can link in additional features easily (“connect OpenAI” or “setup Stripe”) and it wires those in. On the downside, your app’s look is mostly defined by what Tailwind defaults provide, so highly custom design might take manual CSS tweaking later. But as an AI app builder, Lovable gets you a solid React/Tailwind app skeleton that’s production-ready for most standard use-cases refine.dev . Bolt.new supports a variety of frameworks. In the Refine blog, the example prompt was an Astro blog, which means Bolt can choose frameworks like Astro (or React, Next, Svelte, etc.) based on your prompt. Moreover, Bolt’s new Expo integration means it can even generate a React Native (Expo) mobile UI buzzsprout.com . For web apps, the styling you get depends on the chosen framework; often it’s plain (Astro default, or bare-bones CSS) unless you instruct it otherwise. Bolt’s strength is giving you full control of the code, so if the initial style isn’t fancy, you can bring in any libraries or themes. Many community demos show Bolt generating a basic but functional UI, which you can then refine. In summary, Bolt produces clean, minimal frontends (often with minimal styling), but lets you jump in and customize anything. If you need a tailor-made UI, Bolt gives you the code to tweak; it won’t lock you into a specific design system the way Lovable’s Tailwind does. And because it offers Figma import, you can even feed in a design and have Bolt try to match it. Backend & Database Capabilities Fine.dev shines here. It provides a built-in PostgreSQL database (leveraging Cloudflare D1 under the hood) and user authentication right out of the box fine.dev . The moment you create a new app in Fine, you have a ready-to-use SQL database with an easy API – no setup needed. You also get password-based login (plus OAuth via Google/GitHub/Email as shown on the site) already wired in fine.dev . For custom logic, Fine offers serverless backend functions (Cloudflare Workers) that “build themselves” as you define them, so you never manage servers fine.dev . In effect, Fine is a full backend-as-a-service: data models, auth flows, and custom APIs are auto-generated from your descriptions. And thanks to Cloudflare’s Outerbase acquisition, all of Fine’s servers and database scale globally with edge performance crn.com . As the CEO of Cloudflare said, their goal is “to make it easy and accessible for any developer, regardless of expertise, to build database-backed applications that can scale” crn.com – and Fine is exactly that. In practice, this means a Fine app can handle many users and grow easily (storage is on R2, code runs on Workers) without you worrying about servers or scaling. Lovable uses Supabase under the hood for its backend (Supabase is an open-source backend platform with Postgres, auth, and cloud functions) refine.dev . In simple terms, Lovable gives you the benefits of a real database and auth, but behind the scenes. Currently, Lovable’s data persistence and user login features are in an alpha state refine.dev . That means you get basic Supabase integration – you can store items in tables and use sign-in – but it may not be as polished as Fine’s. Lovable also lets you call external APIs easily. For instance, you can type “Integrate Stripe payments” or “Connect this app to OpenAI” , and Lovable handles the API wiring automatically refine.dev . However, because you’re in a chat interface, you can’t directly write complex backend code inside Lovable itself (you’d export to GitHub or your IDE for that). In summary, Lovable covers typical backend needs (database, auth, cloud functions via Supabase) with minimal setup – good for demos or simple apps – but more advanced backend work might require taking the generated code and developing it further outside of Lovable. Bolt.new is primarily focused on generating and running frontends. It does not bundle a database or backend service of its own (at least as of mid-2025). Instead, the code you get from Bolt is usually a static/web app. If you need data storage or authentication in a Bolt-generated project, you would integrate those yourself (for example, by adding a Firebase or Supabase package to your Bolt project). One bonus: Bolt’s mobile/Expo mode means you could use the phone’s local storage or external APIs for data. But unlike Fine or Lovable, Bolt doesn’t promise “instant Postgres” or built-in auth – it expects you to handle backend choices. This is reflected in its deployment (Netlify frontends or mobile app stores) – data and login are up to your code. So Bolt gives the most flexibility (you’re in the code editor), but requires more work if you need a robust backend or DB. Deployment & Scaling Simplicity Fine.dev: Deployment is trivial. Once your app is ready, you press Deploy and Fine handles the rest on Cloudflare’s network fine.dev . You get a live URL instantly (a branch preview) and can assign a custom domain. Because everything runs on Cloudflare Workers and R2 (Cloudflare’s global CDN and serverless platform), your app scales automatically worldwide. The CRN news on Cloudflare’s Outerbase acquisition emphasizes that Fine apps are *“database-backed, full-stack, AI-enabled applications on Cloudflare’s global network”* crn.com . In practice, this means you never configure servers or scaling – Cloudflare’s “edge” takes care of low-latency delivery and scaling. It’s one-click build-and-deploy , similar to deploying to a single button press. And if your app grows in traffic, Fine’s infrastructure scales seamlessly (it’s built for production use) without you needing to manage clusters or load balancing. Lovable: Deployment is also simple but a bit more manual. Lovable has a built-in Netlify integration refine.dev . After generating your app, you click “Deploy” , and Lovable will publish it on Netlify, giving you a shareable URL. The Refine blog notes Lovable makes deployment “as simple as clicking a button” by connecting to hosting platforms like Netlify refine.dev . The deployment process involves Lovable packaging your React app and handing it off to Netlify behind the scenes. You don’t need to write build scripts, but you do rely on Netlify’s servers. In terms of scaling, Netlify’s free tier is fine for small apps, but bigger projects may need a paid plan. The key point is Lovable frees you from manual setup (no npm builds or servers to run) – it’s agent-driven deployment. Your team can quickly share a demo URL. For serious scaling (enterprise SaaS loads), Lovable itself doesn’t handle autoscaling – it depends on the hosting service. Bolt.new: Bolt includes its own runtime environment and a one-click Netlify deploy as well. After generation, clicking Run launches the app instantly in the browser refine.dev – no local server install or Docker needed. To share, Bolt has a Deploy to Netlify button. According to the Refine guide, Bolt handles the entire deployment backend for you: *“Bolt.new will have everything taken care of in the background, including hosting settings… Within moments, a live URL will be delivered, hosted at Netlify”* refine.dev . So from the user’s perspective, it’s very similar to Lovable’s flow: write a prompt, preview the app, then click Deploy to get a live site. Bolt’s advantage is you can test changes immediately in its editor, and then redeploy. Scaling-wise, it’s as scalable as Netlify (which auto-scales most static apps up to plan limits). If you use Bolt’s mobile/Expo mode, deployment is to the app store – Bolt assists with packaging for iOS/Android. In summary, Fine.dev hides all deployment, Lovable and Bolt have one-click deploy via Netlify (Bolt’s being native to the tool), so all three are easy to launch. Pricing & Scaling for Builders All three tools offer a free tier and paid plans, tailored to startups and indie users: Fine.dev has a free plan to get started and then paid tiers as you grow. For example, the base Free plan lets you “generate full-stack apps with AI” and includes a limited quota of AI-generated messages (15 per month) and ephemeral database/storage fine.dev . Upgrading to the next tier (the $19/month Builder plan) removes daily limits, unlocks an always-on database, custom domain deploys, and more AI usage fine.dev . The key is usage: the more messaging/AI generation you do, the higher tier you’ll need. (Fine calls it usage-based, but for simplicity they bill monthly tiers.) In general, Fine’s pricing is straightforward and aimed at bootstrappers: start free, pay a modest monthly fee when you need more capacity or custom domains. Lovable follows a freemium and token model. You can start for free, but your usage is throttled by message limits refine.dev . In Lovable’s free plan, you get 5 free messages per day (up to 30 messages per month ) refine.dev . A “message” means one prompt you send to the AI. (Unused daily messages don’t carry over.) Once you hit those limits, you must upgrade to a paid plan to continue building that month. Lovable’s paid tiers each give you a higher monthly message quota refine.dev . So pricing scales with how much you want to talk to Lovable. If you’re just experimenting, the free allotment may be enough for a couple of small projects. Serious users pay for bigger message bundles. The advantage is you pay only for the AI “time” you use. The downside is if you’re a heavy user, costs can add up since tokens drive their pricing (each code generation costs tokens). But for startups prototyping, Lovable’s free tier plus a low-tier plan can be quite affordable. Bolt.new uses a token system as well. Bolt gives you a daily allotment of free tokens to use the AI features refine.dev . Once you use up that daily token budget, the AI features pause until the next day (unless you upgrade). In other words, every prompt or code generation consumes tokens, and you only get so many for free each day refine.dev . Bolt does offer paid plans for more tokens and features (though exact pricing details weren’t detailed in our sources). For an indie developer, Bolt’s free tier may let you build a few projects per day, but a serious app might require signing up. Like Lovable, Bolt’s pricing scales with usage – the more code/AI generation you do, the more you pay (or the more tokens you need). In summary, all three start free and then charge based on usage/limits. Fine.dev’s model is to pay monthly for higher quotas and features, Lovable charges for message bundles, and Bolt charges for token packs. For bootstrappers and prototypes, the free tiers may suffice at first. As projects scale (more users, more AI iterations), costs will grow, but all three are designed to scale with your needs. Each platform has strengths: Fine.dev naturally handles everything end-to-end and scales on Cloudflare (great for quickly building production-ready apps). Lovable offers a friendly chat interface with React/Tailwind code output (ideal for prototyping or devs who like React). Bolt.new gives maximum control with an embedded IDE (suited for devs who want to see the code immediately, including mobile app generation with Expo). Your choice depends on your background and needs: a complete beginner might prefer Fine’s simplicity, while a developer might enjoy Bolt’s hands-on approach. Either way, these AI-driven builders are a powerful way to turn ideas into live apps in minutes, riding the new “vibe coding” wave of 2025. 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:48:24 |
https://www.fine.dev/blog/delegating-tasks-in-startups | How to Effectively Delegate Technical Tasks as a Startup CTO to Boost Productivity Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Effectively Delegate Technical Tasks as a Startup CTO to Boost Productivity As a startup CTO, you probably feel like you have a million things on your plate. Between pushing code, managing infrastructure, and developing a strategic vision, it's easy to get caught up in the grind. Delegation is not just about reducing your workload—it's a crucial tool to boost productivity, empower your team, and ensure that you're focusing on what matters most. Here's how you can effectively delegate technical tasks to maximize your productivity and help your team thrive. Table of Contents Identify Tasks Worth Delegating Match Tasks to Skill Levels Communicate the Vision Behind the Task Trust Your Team and Let Go Create Effective Check-in Points Document and Share Knowledge Develop a Culture of Ownership Consider Delegating Entire Tasks to AI Equip Your Team with the Right Tools Conclusion 1. Identify Tasks Worth Delegating Not every task is worth your personal attention. Start by classifying your responsibilities into categories: high-value strategic tasks, deep technical challenges, and routine work. The last category—routine work—is often the easiest to delegate. This might include: Writing boilerplate code Managing minor bugs Handling infrastructure maintenance tasks Delegate these types of work to free up time for activities where your expertise can have the greatest impact, such as making architectural decisions or setting technical direction. 2. Match Tasks to Skill Levels Delegation is only effective if you delegate to the right people. Understand the strengths and weaknesses of your team members. Delegate technical tasks that align with their current skills but also push them just a little out of their comfort zones—that’s where growth happens. For example: Junior developers can work on well-defined tickets that are rich in learning opportunities but not mission-critical. Senior developers are ideal for tackling complex issues or leading small sub-projects. Matching the right tasks to the right people empowers your team and encourages everyone to level up. 3. Communicate the Vision Behind the Task Simply handing off a task isn’t enough. Take a few moments to communicate why a task matters in the grand scheme of things. Context helps build motivation and engagement, especially in a startup setting where every small piece contributes to a bigger vision. Explaining the "why" behind tasks also encourages better decision-making. Developers who understand the intended outcomes can think more critically and even offer improvements, reducing the need for micro-management. 4. Trust Your Team and Let Go Delegation doesn't mean abandoning oversight, but it does mean letting go of control. Once you’ve assigned a task, provide autonomy and trust that your team will handle it. Avoid micromanaging—it demotivates your developers and prevents them from growing into future leaders. Instead, offer guidance and mentorship when required, and focus on creating an environment where team members feel comfortable asking questions. Remember, mistakes may happen, but they’re also learning opportunities for both you and your team. 5. Create Effective Check-in Points While you shouldn’t micromanage, having check-in points is critical to ensure progress. Schedule regular, brief updates to review work without being overbearing. Agile practices, such as daily stand-ups or weekly sprint reviews, can help you get insight into progress while giving the team a chance to raise blockers. Effective check-ins also provide an opportunity to recognize achievements, adjust priorities, or course-correct when things are not on track. 6. Document and Share Knowledge Documentation is key when you’re delegating technical tasks. Without proper documentation, team members spend time reinventing the wheel or making decisions based on incomplete information. Create detailed technical specs for tasks. Develop onboarding materials for new developers. Keep documentation dynamic, updating it with lessons learned after each project. Documentation not only makes delegation smoother but also reduces dependency on specific individuals and ensures continuity. 7. Develop a Culture of Ownership For delegation to work well, your team members must feel ownership over their work. Encourage them to see delegated tasks not as chores, but as an opportunity to make a meaningful contribution. Recognize their achievements publicly and make sure they’re involved in relevant discussions. Fostering this kind of culture creates a sense of accountability and makes it more likely that tasks will be completed with the quality and care you’d expect. 8. Consider Delegating Entire Tasks to AI In addition to delegating to team members, consider delegating entire tasks to AI. Tools like Fine are designed to give you the same experience as delegating to a colleague. For example, you can tag Fine into a Slack conversation or label an issue in your issue management platform, and it will create an implementation plan, write the code, run the code, make revisions and turn it into a PR. By leveraging AI as a team member, you can streamline routine work and ensure that your time is spent on higher-value activities. 9. Equip Your Team with the Right Tools To maximize productivity, it’s also crucial to equip your team with the right tools. Providing them with access to a strong AI coding agent, such as Fine, can help them work more efficiently. AI coding agents can assist in writing and debugging code, managing repetitive tasks, and providing insights—all of which enable your developers to focus on more creative and challenging aspects of their work. This can also help with onboarding new staff who aren't so familiar with your codebase - a tool like Fine with full context awareness can provide guidance and answers to questions so new and junior devs can work independently without relying on your constant availability. Conclusion Delegation can feel like a risk, but it's necessary for your growth as a CTO and for your startup to thrive. By matching tasks to team members’ skills, communicating the "why," letting go of control, and creating a culture of ownership, you not only boost productivity but also help your team grow. Remember, the ultimate goal of delegation is not just to free up your time, but to elevate everyone’s capability—building a resilient team that scales with your startup’s ambitions. Take a step back, identify those routine tasks that are holding you down, and start trusting your team to take them on. The results might surprise you. The way we build software is changing. As a tech leader, you don't need to spend most of your time writing code anymore. Start delegating tasks to AI and see how much more you can get done, with the same time and money. 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:48:24 |
https://www.fine.dev/blog/common-python-errors | Most Common Python Errors When Using AI Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Most Common Python Errors When Using AI Introduction Python is a favorite among backend developers, particularly in the fast-paced world of startups where flexibility and speed are key. But let’s be honest—Python’s simplicity can sometimes be deceiving, and even the most seasoned developers can find ourselves pulling our hair out trying to understand why the code doesn’t work. In this article, we’ll dive into the top 10 Python errors that backend developers frequently encounter, especially in smaller startup teams. We’ll explain why these errors happen and provide tips on how to avoid them. We’ll also look at whether the common AI tools are likely to make the errors or can help you spot and fix them. Table of Contents Introduction Error 1: TypeErrors Error 2: NameErrors Error 3: IndexErrors Error 4: KeyErrors Error 5: ImportErrors A Recurring Theme in the Python Errors AI Makes How Fine Can Help You Avoid These Errors Conclusion Error 1: TypeErrors TypeErrors occur when you try to perform an operation on incompatible data types, like trying to add a string to an integer. It’s the programming equivalent of mixing oil and water—not going to happen. Python is dynamically typed, meaning variables don’t have fixed types, but this flexibility can sometimes lead to unexpected type mismatches. How to Avoid: Always check the data types you’re working with, and consider using type hints in your function definitions to ensure compatibility. AI models might try to perform operations on incompatible types or fail to include necessary type conversions. Fine will test to make sure there are no TypeErrors and fix any that occur. Fine’s PR review feature also identifies TypeErrors in GitHub PRs that human developers have written, ensuring that they don’t make it into production. Error 2: NameErrors (Shock horror, they’re back) No serious Python developer goes around making NameErrors anymore, right? Well, here’s the thing. ChatGPT and other AI coding tools make NameErrors all the time. They can’t help it. They don’t know what you’ve named things in your code, so they have to make a logical guess or use a placeholder - which will usually be wrong. Even the best models, such as o1 and Claude Sonnet 3.5, are helpless here. In fact, many people accuse AI of “hallucinating”, when really they’re referring to a simple NameError, where the AI isn’t to blame. Whilst simple to fix (in theory), this is quite a pain and every developer should have their eyes open for NameErrors (and indentation issues also - remember those?) when using AI coding tools that don’t have full context awareness. Fine is the AI coding tool to choose to avoid these errors. Because it indexes your repositories and issues, the AI can identify the correct names in your codebase and save you hours of debugging. Error 3: IndexErrors IndexErrors arise when you try to access an index that doesn’t exist in a list. Imagine trying to grab the fifth apple from a basket that only has four—you’re bound to run into trouble. This often happens due to off-by-one errors, where the index is either too high or too low. If you’re not familiar with how python’s range works or how slicing works, it’s a good idea to sharpen up on it to avoid index errors. How to Avoid: Double-check your list boundaries and validate your input data. Fine can highlight potential IndexErrors, helping you avoid those pesky off-by-one mistakes. This is particularly useful in scenarios where your code dynamically generates or manipulates lists, which can lead to unpredictable indexing issues. Error 4: KeyErrors KeyErrors happen when you try to access a dictionary key that isn’t present. It’s like asking for the keys to a car that you don’t own—not going to get far! How to Avoid: Use the .get() method or check for key existence before access. Fine can help by suggesting safe dictionary access patterns, reducing the risk of a KeyError. Error 5: ImportErrors ImportErrors happen when a module isn’t imported correctly, either because it’s missing, you’ve made a typo in the import path, or you’ve created a circular import. These errors are common when managing dependencies across different environments. Imagine - File A tries to import File B, which tries to import File A. How to Avoid: Ensure your modules are properly installed and avoid overly complex import chains. Fine’s AI can track your imports and warn you about potential issues, making it easier to manage your dependencies. A Recurring Theme in the Python Errors AI Makes NameErrors, ImportErrors, AttributeErrors, KeyErrors - AI will keep making these mistakes as long as it doesn’t have the full context of your codebase. It’s like if I were to ask you to write code for my platform, but without showing you my existing repo. How would you know what to refer to? How Fine Can Help You Avoid These Errors Fine is designed to be your coding companion, catching these common Python errors before they can trip you up. Using advanced AI algorithms, Fine provides real-time feedback, highlights potential issues, and offers tailored suggestions to keep your code clean and error-free. Whether you’re dealing with indentation issues, NameErrors, or TypeErrors, Fine acts as your second pair of eyes, ensuring that your development process remains smooth and efficient. With Fine integrated into your workflow, you can focus on what really matters—building great software. Conclusion Python errors can be a major headache, especially in a startup environment where every line of code counts. By understanding these common errors and how to avoid them, you can write cleaner, more reliable code. And with Fine by your side, you’ll catch and fix these errors effortlessly, keeping your projects on track and your sanity intact. Be careful of code generators that aren’t aware of your existing codebase, such as ChatGPT and GitHub Copilot—they’re more likely to make simple Python mistakes. Ready to take your Python development to the next level? Try Fine today with our free trial and see how our AI-powered coding assistant can help you write error-free code faster. Sign up now, or schedule a demo to discover how Fine can integrate seamlessly into your workflow and boost your team's productivity. Don’t let simple errors slow you down—let Fine handle the details so you can focus on building great software. 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:48:24 |
https://www.suprsend.com/smtp-error-solution/smtp-connect-error-10060---causes-and-solutions | SMTP Connect Error 10060 - Causes and Solutions Product FEATURES Template Engine Powerful template editors for all channels App Inbox Fully customizable inbox for your app & website Analytics Deep data insights on notification performance Logs Real-time notifications logs for all channels Smart Routing Reach users where they are Branding Seamlessly manage multi-brand customization Workflows Craft complex notification workflows Bifrost Run notifications natively on data warehouse Preferences Develop user focused notifications Integrations Integrate any channel and provider within mins Solutions BY USECASES Transactional Real-time alerts like authentication, activity updates Batching & Digest Aggregate multiple alerts into one Collaboration & Action Alerts on cross-user activity Scheduled Notifications One-time or recurring alerts like reminders Multi-tenant Alerts tailored to your customer's preferences Announcement / Newsletters Feature releases, achievements, product & policy updates Pricing Docs Customers Blog Login Get Started For Free Login Sign up SMTP Connect Error 10060 What causes this error and solutions TABLE OF CONTENTS SMTP error 10060 signifies that your email server failed to establish a connection with the recipient's server within the designated timeframe (phpmailer, jenkins). This indicates a communication breakdown during the email sending process. What Triggers This Error? Several factors can contribute to this error: Incorrect Server Details: Invalid SMTP host address, port number, or authentication credentials (phpmailer, jenkins). Network Connectivity Issues: Network problems on the sending server preventing it from reaching the recipient's server. Firewall Blocking: Firewalls or security measures on either server might be blocking communication. Resolving SMTP Connect Error 10060 Here's how to troubleshoot and fix this error: Verify Server Configuration: Double-check the SMTP host address, port number, and authentication details (username and password) for accuracy (phpmailer, jenkins). Test Network Connectivity: Use tools like ping or telnet to verify network connectivity between the sending server and the recipient's server. Review Firewall Settings: Ensure firewalls on both servers allow communication on the required ports used for SMTP (typically port 25 or 587). Check Authentication: If using SMTP authentication, confirm the credentials are valid and have the necessary permissions. By addressing these potential causes, you can establish a successful connection between the servers and ensure smooth email delivery. Say Goodbye to all SMTP Errors in Development SuprSend eliminates the need to build and configure email servers from scratch, ensuring you steer clear of SMTP errors. Here's how SuprSend would work for your application, building a reliable notification system. Get Started For Free Share this blog on: Written by: Sanjeev Kumar Engineering, SuprSend Get a powerful notification engine with SuprSend Build smart notifications across channels in minutes with a single API and frontend components Get started for free Say Goodbye to all SMTP Errors in Development SuprSend eliminates the need to build and configure email servers from scratch, ensuring you steer clear of SMTP errors. Here's how SuprSend would work for your application, building a reliable notification system. Get Started For Free More to explore Error: SMTP is not working on the server Error: Suddenlink SMTP Server Not Working Error - SMTP not working in python Error: SMTP mail not Working Error: SMTP Error Could not authenticate SMTP Error from Remote Mail Server After End of Data SMTP Error: Data Not Accepted SMTP Error 554 SMTP Error 553 SMTP Error 556 Implement a powerful stack for your notifications Get Started For Free Book Demo Company About us Signup Login Integrations Pricing Security Privacy Terms Contact Us Support SuprSend for Startups API Status Sign Up Channels Email SMS Notification Inbox Android Push iOS Push Web Push Xiaomi Push Whatsapp SDK Python SDK Node.js SDK Java SDK Android SDK React Native SDK iOS SDK Flutter SDK Go SDK Resources Documentation Changelog Blogs Write for us SMTP Error Codes SMS Providers Comparisons Email Providers Comparisons SMS Providers Alternatives Join us on Slack We are building a community of developers and product builders from across the globe to make notifications a pleasant experience. © 2025 All rights reserved. SuprStack Inc. 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:48:24 |
https://textexpander.com/ | TextExpander: #1 Text Replacement & Keyboard Shortcut App Support Contact Sales Sign In TextExpander - Unlock Your Productivity Instantly insert snippets of text from a repository of emails, boilerplate and other content, as you type – using a quick search or abbreviation. Works with Mac, Windows, Chrome, iPhone, and iPad. Get Started Product TextExpander AI: The Next Generation Boost efficiency! TextExpander + AI enhances productivity, while keeping you in control. Learn more! Learn more about TextExpander + AI TextExpander Features What is TextExpander What's New Security Templates Where it Works Windows Mac Chrome Mobile Still have questions? Schedule a demo with an expert Solutions By User For Teams For Individuals By Function Customer Support Healthcare Professionals Recruiting Marketing Sales Finance Software Development IT Support Operations / Back Office By Industry Healthcare Software Retail Energy & Utilities Hospitality Education Legal Insurance Works With Zendesk Salesforce Epic Cerner HelpScout View All (1M+) TextExpander works everywhere your team does! Schedule a demo Resources Explore What's New Blog Webinars Templates Downloads Community Support Learning Center Getting Started Admin Starter Guide Troubleshooting Contact Us Ask questions, get support, or trade ideas with fellow users and our product team – all in the TextExpander Community. Join the Community Download TextExpander Need Help? Contact Support Pricing Get Started Stop typing the same thing over and over TextExpander’s keyboard shortcuts work everywhere your team does. Build a library of your most-typed content with a free team trial. Start a free 30-day trial Sign up with Google By signing up you agree to our Privacy Policy and Terms of Service TextExpander helps teams build consistency with every message Healthcare Fewer denied claims. More consistent patient conversations. Healthcare solutions Customer Support Human conversations, superhuman efficiency Customer support solutions Recruiting Source candidates and close reqs faster Recruiting solutions Operations Improve knowledge base usage and standardization of language Operations solutions TextExpander + AI The Next Generation of TextExpander. TextExpander + AI enhances productivity, while keeping you in control. Learn more Faster and more accurate typing than ever before Tired of repetitive typing? Store and share a library of your collective knowledge and activate it anywhere you type with only a few keystrokes. Here’s how it works: Create Snippets of your most used text, such as emails, phrases, URLs, and more. Customize them to automatically insert content or add fill-in-the-blank fields. Expand them with just a few keystrokes on any device, across any app you use. Share them with your team so everyone stays consistent with up-to-date content. FOR ENTERPRISE Ready to centralize and standardize your team’s messaging? TextExpander is built for enterprise teams with SOC 2, SOC 3, and HIPAA compliance. We can build pricing based on your needs and usage, including single sign-on, SCIM, and customized reporting capabilities. Schedule a demo Our customers love us AND YOU WILL TOO Case Study See how each member of Virta Health’s Care Team saved 24 days per year with TextExpander Read the case study Now we have a system for creating and updating the messaging our coaches use as a framework to communicate with our members, with personalization top of mind. Kristin Hullett , Care Operations Senior Associate at Virta Health It genuinely streamlines my work day so much. I love that my own Snippets are separate from my orgs and how when I go to edit a snippet I just used, it is glowing and easy to locate visually. Also, love that you can include emojis. Kenzie P. With the volume of emails and live chats that I manage daily, I literally could not get through my workday without Text Expander. It’s a LIFESAVER. Marysa K. Support TextExpander has made working a breeze. They really changed the way we think about internal notes. Brianna W. Support TextExpander has improved my productivity ten-fold, it is easy to use, and full of capability. I use it in almost all tasks now! It saves so much time instead of having to type the same things out over and over! Justin F. Fraud Investigator I send many emails with the same wording to recruiting candidates over and over again. TextExpander helps so that all of my wording is uniform for each candidate to streamline information. It also reduces the time it takes me to send out emails to every person significantly. Haley M. Recruiting Business Partner Text expander makes my job so much easier! I don’t have to type out as much and it’s so easy to create customized snippets that are tailored to your preference. In the medical field it’s especially helpful so we can spend more time with patients and less time charting. Angelina E. Customer Onboarding Manager I am able to keep and store items that I tell customers over and over again but without typing it out each time! I love that I can edit them to add more information and improve my customer communication. Sandra M. Implementation Specialist What I love about TextExpander is that it saves me so much time with repetitive details of my job. It’s wonderful how a snippet will save me time and the trouble of writing everything out completely. I also love that I am able to share my snippets in my work environment and vice versa. Adriana H. Medical Scribe Like using dot phrases but just typing shortcuts. Mike Y. Doctor of Osteopathic Medicine No more monotonous writing in chats and emails. Very user friendly as you can figure out things by yourself. I do not need to spend time writing the same thing again and again as I have to answer to similar questions everyday. I can use it even in intercom and other websites for usual templates. Nazifa Z. Patient Care Advocate As a health care provider, documentation is my least favorite thing. In my current EMR there are no macros. I saved an average of 6 to 10 hours/week using TextExpander. Set up was easy. And it is incredibly affordable. I use it daily. Pediatric Nurse Practitioner Extremely easy to set up & train team on, and then once the team was trained we are able to use it every day! We can use it in Salesforce, Microsoft Office, or literally any other text box. It allows us to standardize language and save time. Customer Support has been great as well in helping us troubleshoot problems. A. Thomas Client Service Coordinator I like that textexpander is easy to use and the interface is very user-friendly. It was easy to implement in my daily tasks and helped me to be more efficient. I use the app every single day because it helps me to get through my days with ease. Jessica J. Provider Retention This tool solves the rate at which I find specific information and helps me retain product knowledge and more confidently do my job. I talk on the phone and write emails daily, so text expanders help convey product knowledge daily. Nadia P. Sales Formatting is so seamless, always populates correctly. I love the keyboard shortcut to find a snippet, helps me work quickly. I don’t work without TE, and I use it for everything from templates for emails and notes to customer replies and code. Jen W. Support Moreso than the time savings, TextExpander saves me from grief and robotic repetitiveness. My workflow has significantly improved by being able to quickly insert often-used phrases, questions, or sign-offs. Mark M. Product Support TextExpander is a tool that I cannot live without. I regularly use it to perform repetitive tasks that previously required copying, pasting, and editing. The ability to fill in single-line fields has transformed error-prone tasks into simple and reliable text snippets that I use daily in emails, static website updates, and terminal commands. Stewart L. Software Developer The app you didn’t know you needed until you can’t live without it! I’ve used it for years now and always adding new templates which save me so much time. Whenever I show it to someone else they all gasp and ask how they can get it. It’s like magic! Senior Solutions Engineer Give it a test drive Use the interactive snippet widget below to understand how TextExpander works. See how TextExpander works Select a snippet you would like to try Escalating Request Contact Info Customer Response Scheduling Project Management Type this shortcut below ;FWsales Type this shortcut below ;contact Type this shortcut below ;snippets Type this shortcut below ;meet30 Type this shortcut below ;agenda Hello, I hope this finds you well and thank you for your email. We’ve forwarded your request along to our sales representatives who can help you explore the best options for your team. Please let us know if we may help with anything else in the meantime. Thank you! John John Smith TextExpander Customer Service Representative TextExpander.com Reach out: support@textexpander.com Learn more about TextExpander or sign up for an account: textexpander.com Connect with us on social: twitter.com/TextExpander facebook.com/TextExpander linkedin.com/company/TextExpander Thanks for reaching out to learn about how to create a Snippet group; we can certainly help with that! I’ve included the instructions below for you. Let us know if you need anything else, and feel free to check out our learning center for more TextExpander tips! Creating a New Snippet Group To create a new Snippet Group, choose the New Group icon to the right of the search bar in your TextExpander app or choose File > New Group from the menu bar. You can add Snippets to the group by choosing the New Snippet icon in the toolbar or choose File > New Snippet from the menu bar. You can also drag snippets from one group to another. See Creating, Editing, Deleting Snippets for more details on creating Snippets. Great to hear from you! The best way to schedule a time to chat is via my Calendly Link . Feel free to select a 30-minute window that fits with your schedule and I look forward to speaking soon. Wins for the Week: Top Priorities: Blockers: Discussion/Notes: See which plan is right for you Save 20% Individual Communicate faster and smarter so you can focus on what’s important. $4.16/mo Price in USD per user per month. Billed annually at $39.96 USD Get Started Business Collaborate and communicate effectively with your team. $10.41/mo Price in USD per user per month. Billed annually at $99.96 USD Get Started Growth Advanced user management and data insights. $13.54/mo USD Price in USD per user per month. Billed annually at $129.96 USD Get Started Enterprise Pricing based on your needs and usage. Custom solutions and personal support. Talk to Sales Learn more on our pricing page Important Pricing Note for International Customers The prices shown above are in USD and are based on US tax regulations, which means they exclude tax. For some customers outside the US, this US base price may still apply if your country does not require tax-inclusive pricing. If you’re located in a country where VAT or GST is required (including the European Union, United Kingdom, Australia, and others), your base price may include an estimated 20% increase to reflect local tax requirements. When you check out, your final price will be converted to your local currency using exchange rates provided by our payment partner, Paddle. These rates may not always match real-time market rates exactly, but they’ll be close. Your total price — including any required taxes — will always be shown clearly before you complete your purchase. Your shortcut to productivity Create shortcuts for your most-used content – anywhere you type. Begin your 30-day free trial. No credit card required. Start a free team trial Sign up with Google By signing up you agree to our Privacy Policy and Terms of Service TextExpander Start Free Trial Pricing Templates Download Features Sign In Learn Learning Center Webinars Getting Started Troubleshooting Contact Community Blog Blog Home Productivity Customer Support Healthcare Automation Company About TextExpander Become an Affiliate Partner with TextExpander Jobs Press © 2026 TextExpander, Inc. TextExpander is a registered trademark. Privacy Policy Terms of Service Security Status Trust Notice at collection Your privacy choices Do not sell or share my personal information | 2026-01-13T08:48:24 |
https://www.fine.dev/blog/ai-assisted-coding | AI-Assisted Coding: How Fine is Leading the Future of Code Generation Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back AI-Assisted Coding: How Fine is Leading the Future of Code Generation Table of Contents What is AI-Assisted Coding? Can I Generate Code Using Generative AI Models? How to Detect if Code is Written by AI Fine: Your Partner in AI-Assisted Coding Real-World Applications of Fine Why Choose Fine Over Other AI Tools? How to Get Started with Fine Conclusion What is AI-Assisted Coding? In today’s fast-paced development world, AI-assisted coding is reshaping the way developers work. With advanced generative AI platforms like Fine, coding is becoming more efficient, accurate, and accessible. But what makes Fine stand out from the rest, and how can you use it to generate code or detect AI-written code? In this post, we'll explore these questions and demonstrate how Fine is redefining the future of software development. AI-assisted coding involves leveraging artificial intelligence to aid in the coding process. Tools like Fine help automate repetitive tasks, solve issues, and even generate entire blocks of functional code. This frees developers from mundane coding and lets them focus on solving complex problems. Why Use Fine for AI-Assisted Coding: Boost Productivity: Automate tedious tasks like bug fixes, documentation, and code formatting. Reduce Errors: Fine’s AI detects and corrects common mistakes before they become bigger issues. Tailored Suggestions: Fine learns from your style and preferences to provide more relevant suggestions. Can I Generate Code Using Generative AI Models? Yes! Generative AI models like Fine can quickly generate high-quality code based on your input. How to Generate Code with Fine: Sign Up: Create an account on Fine's platform. Input Your Requirements: Type a natural language description of what you want the code to do. Receive Code Suggestions: Fine will generate a PR based on your input. Review & Test: Check the code and run tests to ensure it meets your project needs. Example: If your platform requires tracking user activity, you could input: "Generate a Python function to log user actions to a database with timestamps." Fine will generate the code to capture user activity, including storing actions, timestamps, and user details in your database, helping you easily implement user behavior tracking for analytics or auditing purposes. Fine doesn’t just stop at code generation. It’s also capable of reviewing, optimizing, and documenting your code—all from a single platform. How to Detect if Code is Written by AI As AI-generated code becomes more prevalent, it's important to recognize the signatures that indicate AI involvement, particularly tools that aren’t tailored to coding and could be causing damage, such as ChatGPT. Signs That Code May Be AI-Generated: Consistent Formatting: AI tools often generate code with uniform indentation and structure. Repetitive Code: AI chat interfaces may produce redundant snippets that human developers would typically optimize. Over- or Under-Commenting: Some AI-generated code includes excessive or minimal comments that may seem unnatural. Generic Variable Names: If the AI doesn’t know what you’ve named your variables, it may add in generic placeholders in the code it writes. If you’re copying and pasting from a tool such as ChatGPT, or using a tool without context awareness such as GitHub Copilot, it’s easy to miss a generic variable name. By contrast, tools like Fine that are integrated with your codebase shouldn’t have this issue and can scan code that isn’t working to identify incorrect variable names. Fine has built-in rules to avoid many of the classic issues that generic AI models face when writing code. What’s more, by integrating with your codebase, it can match your style. Knowing how to detect AI-generated code is important for ensuring high code quality, security, and originality in projects where human oversight is crucial. Fine: Your Partner in AI-Assisted Coding When it comes to AI-assisted coding, Fine stands out from the competition. Built with both seasoned developers and beginners in mind, Fine’s intuitive interface and powerful features help make code generation effortless. Key Features of Fine: Multi-Language Support: Fine can generate code in various languages such as Python, JavaScript, Java, C++, and more. Contextual Suggestions: Fine understands the broader context of your project and provides tailored suggestions. Integrated Debugging: Fine helps identify errors in your code and suggests fixes in real-time. Workflow Automation: Beyond code generation, Fine automates repetitive tasks like testing, documentation, and code review. With its focus on enhancing productivity and reducing manual tasks, Fine is the perfect companion for any developer looking to streamline their workflow. Real-World Applications of Fine Fine isn’t just for one-off coding tasks; it’s designed to integrate seamlessly into your everyday workflow, no matter your industry or project. Common Use Cases for Fine: Backend Development for Software Startups: Fine can help automate complex backend tasks such as building APIs, integrating databases, handling user authentication, and scaling infrastructure, enabling startups to focus on rapid development and product iteration. Mobile App Development: Whether you're building for iOS or Android, Fine can generate cross-platform code that follows best practices. Data Science & Analytics: Automate the creation of scripts for data analysis, visualization, and processing. Why Choose Fine Over Other AI Tools? There are plenty of AI tools on the market, but Fine sets itself apart through precision, customization, and developer-centric features. Why Developers Prefer Fine: Superior Accuracy: Fine’s AI model is trained to provide highly accurate, context-aware code suggestions. Customizable Experience: Developers can configure Fine to follow their coding standards, preferences, and project-specific guidelines. Advanced Debugging Capabilities: Fine not only generates code but also identifies issues in existing code, helping to improve efficiency and reduce errors. Seamless Integration: Fine integrates with more than just your codebase, so you can stay in your familiar development environment while benefiting from AI. How to Get Started with Fine Sign Up: Visit the Fine website to create an account and access the platform. Install Fine: Add Fine’s plugin or extension to your code editor. Set Up Preferences: Customize Fine’s settings based on your coding style and project requirements. Start Coding: Use Fine to assist in writing, debugging, and optimizing your code. Pro Tip: Fine works best when you provide clear, concise inputs. The more specific your request, the more accurate Fine’s code suggestions will be. Conclusion AI-assisted coding is revolutionizing how developers approach software development, and Fine is at the forefront of this transformation. With Fine, developers can save time, reduce errors, and focus on solving the bigger challenges in their projects. Whether you’re a professional developer or a beginner, Fine is designed to enhance your productivity and coding experience. Try Fine Today! Ready to supercharge your coding workflow? Sign up for Fine today and see how AI-assisted coding can take your development process to the next level. Get Started with Fine 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:48:24 |
https://www.fine.dev/blog/dark-mode-toggle-by-fine | Using AI for programmers to create a dark mode toggle in web app Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Using AI for programmers to create a dark mode toggle in web app Until the advent of AI, every development change had to be weighed up against other tasks - which will provide the most business benefit? How long will it take to build? How many bugs is it likely to cause and how long will they take to be resolved? However, with Fine, developers can easily delegate such tasks to AI, saving time and focusing on what truly matters—building great products. Fine is an AI tool for programmers that integrates with your GitHub to take issues from your programming backlog and turn them into PRs. Let's have a look at how Fine can help implement Dark Mode in a web app. The Challenge: Implementing Dark Mode Toggle Creating a reusable toggle component. Managing global style updates for dark mode. Setting up a theme context to store user preferences persistently. Ensuring smooth and consistent style transitions throughout the app. Many startup CTOs would consider this a nice-to-have at best. In the early-stage of a startup, you might consider it a distraction. No one pays for a product purely because they have a dark mode toggle, nor is it a feature you'd usually expect marketing or sales to list when they're comparing plans. Sure, some users may prefer it - but does it really contribute to business goals? No, at least not directly. It will improve the User Experience for some users, maybe improving satisfaction and retention by a small amount. So it's not a task that an early-stage CTO wants to waste developer time on - but delegating to AI could be a perfect solution. How Fine Simplifies the Process - AI solution for Programmers Fine streamlines dark mode implementation with its intelligent automation capabilities. Here's how it helps: Generates a Reusable Component Fine creates a dark mode toggle component ready for integration into your application. Updates Global Styles It optimizes your global styles by defining the necessary dark mode properties within your CSS. Configures Theme Context Fine sets up the logic for theme persistence, ensuring the user’s preference is stored and applied across sessions. Ensures Seamless Style Switching The AI agent guarantees smooth transitions between light and dark modes, enhancing the aesthetic flow of your application. Prompt used Here is one example of a prompt used to implement the dark mode toggle. Notice how the user tagged the relevant files and components in their codebase using @ - helping the AI edit the correct files. Create a dark mode toggle in @components/DarkModeToggle.js. Update @styles/theme.css to define dark mode styles. Implement context logic in @contexts/ThemeContext.js to persist the theme preference across sessions. Fine will handle the heavy lifting, delivering fully functional components and configurations in moments. Benefits of Using Fine By leveraging Fine for dark mode implementation, developers gain: Enhanced User Experience A dynamic interface tailored to user preferences significantly boosts satisfaction, without taking developer time away from other important tasks. Improved Developer Efficiency Automation reduces manual coding, allowing developers to focus on innovation. Consistent Performance Fine ensures style consistency and efficient theme management across the application. Run the code Fine runs the code in a sandbox environment, creating a live preview where you can visualize the front-end changes made and feedback to the AI. Conclusion: Fine – Your Go-To AI for Programmers With Fine, implementing a dark mode toggle is no longer a daunting task. From generating components to managing styles and context logic, Fine empowers developers to deliver exceptional user experiences with minimal effort. Ready to streamline your next project? Try Fine and see the difference it can make. 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:48:24 |
https://www.fine.dev/blog/fines-journey | From Producing a Web Series to Founding a Startup: Fine’s Journey Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back From Producing a Web Series to Founding a Startup: Fine’s Journey This week, we released the first version of Fine – a platform for building software with AI coding agents. It took us almost a year to get here, and the journey was filled with challenges and accomplishments, alongside failures and disappointments. I wanted to take a moment to share my experience with you, and I hope you'll find inspiration in our story. A Different Way to Ideate About a year ago, our team of three founders began the ideation process. We wanted to build something we would enjoy using, and as programmers, we were naturally drawn to developer tools. We knew that every good startup is based on a great problem, so we set out looking for worthy problems developers face. The common approach is to conduct interviews with future clients. We aimed to interview leading R&D execs to hear about the issues their organizations face. However, these execs are busy people, and we couldn't expect them to easily make time for us. Moreover, conducting customer interviews is challenging – getting people to open up isn't straightforward, and it's rare for someone to explicitly say, "This is EXACTLY the problem I'm facing." Our solution? We decided to produce a documentary web series and invite them to participate. We thought if we could convince companies to join, we'd get direct access to everyone we wanted to interview within the organization. And that's exactly what happened. Dark{mode}: Insights from R&D Execs We went on to create Dark{mode}, the first web series about developer experience (which later became the largest tech web series in Israel). We spent over 60 hours interviewing R&D executives from companies like Wix, Taboola, AppsFlyer, and AI21 Labs. We told participants in advance, "The conversations will focus on what doesn't work. Don't tell us the good stories." And so, we heard about the problems affecting developer experience. These conversations uncovered 81 "blockers" that hinder progress in the tech world, covering areas from PRs and design to communication and teamwork. Producing the series had its challenges: it involved more people than we initially anticipated, required content verification by the featured companies, and demanded collaboration with numerous service providers to maintain high-quality standards. All of this consumed precious hours that could have been devoted directly to our startup. However, this unconventional approach had its advantages. We gained direct access to the interviews we needed and garnered attention in Israel's tech scene, making it easier to connect with investors. The Birth of Fine Inspired by the challenges we uncovered, we started exploring ways to make a meaningful impact. Three critical factors guided our thinking throughout this process: Anticipating the Future : We constantly asked ourselves where the software world was headed. What solutions would be in demand not just today but tomorrow? Leveraging Our Skills : We assessed our team's unique skills to understand how we could best support our idea. Embracing New Technologies : We kept a keen eye on emerging technologies that were previously unavailable. Eventually, after iterating on a few ideas, we envisioned an AI-powered platform where developers receive significant assistance in building software. We didn't want to merely boost productivity; we wanted developers to delegate entire software tasks to AI. Our vision was for developers to focus solely on what they want to build, not how to build it. Confident in our idea, we began sharing it and tried raising initial capital. It wasn't easy. The market was uncertain about AI's role in software development, and securing funding took time. The first three months were marked by relentless pitching, numerous rejections, and an industry on edge. But we stayed determined, focused on building our vision and believing Fine's potential would become evident with time. Early Milestones and Building a Community Our journey gained momentum as we started building the platform. We launched a Discord community and sought early adopters willing to try Fine. Gradually, our community expanded, and Fine garnered attention online. I personally engaged with new Discord users, gathering feedback to refine our product and progress beyond the Proof of Concept stage. The interviews with community members helped us understand that we needed to set ourselves apart by prioritizing collaboration, protecting privacy, and enabling the creation of multi-agents. Three months later, our hard work paid off when we secured our first client. It was a pivotal moment, a testament to the potential of our product and the dedication of our team. Today, our user community continues to grow, with almost 400 users joining the Fine journey, eager to explore the future of software engineering. What's Next for Us Today, we're releasing the first version of Fine. Learning from past mistakes, we will onboard a limited number of users and provide free credits to help them get started. During launch week, we expect to encounter many bugs, fix issues, and be more engaged with our community. Updates will continue to roll out, and we plan to follow Supabase's "Launch Week" pattern, which is a great best practice for startups. Throughout this year of challenges and countless rejections, our vision for Fine remained our guiding light. It may sound like a startup cliché, but it genuinely sustained us during the tough times. It's crucial to maintain a bold yet clear vision. Ours is to replace the traditional IDE and become the definitive entry point for software development. This vision fuels our determination, especially when faced with adversity. Our journey is far from over. We know the road ahead will be long and filled with challenges, but we are determined to keep our eyes on the ultimate goal. Every email, every breakthrough, and every step forward brings us closer to realizing our vision. The story of Fine is just beginning, and I invite you all to be a part of it. If you're a software developer, I invite you to join us today on this exciting journey and create something extraordinary together. Our product is waiting for you here , and our Discord community is where you can get help and support. Another Year On: 2024 Update Another year has passed, and Fine has continued to evolve. The landscape of AI-powered developer tools has changed significantly, with many new competitors entering the market. Despite the increased competition, Fine remains unique in its approach and vision. We have introduced several new features that set us apart from others. Fine now integrates seamlessly with GitHub, Linear, and Sentry, making it easier than ever for developers to manage their workflows and track progress. Our automated workflows have streamlined the development process, allowing developers to focus more on creativity and problem-solving rather than repetitive tasks. We're also excited about our soon-to-be-released Live Previews feature. This will enable developers to build, run, and test AI-generated code in a secure virtual machine within their browser. With Live Previews, you can run the code, view console logs, and see a preview of the result – all without leaving the browser. This feature will make AI coding more seamless and effective, reducing the "works on my machine" issues and fostering more collaborative development. As we continue to innovate, our community grows stronger, and we're more committed than ever to transforming software development. The journey of Fine is still in its early days, and we're excited for what the future holds. Join us, and let's shape the future of software engineering together. Try out our free plan here . 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:48:24 |
https://socket.io/docs/v4/emit-cheatsheet/ | Emit cheatsheet | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Version: 4.x On this page Emit cheatsheet caution The following event names are reserved and must not be used in your application: connect connect_error disconnect disconnecting newListener removeListener // BAD, will throw an error socket . emit ( "disconnecting" ) ; Server Single client Basic emit io . on ( "connection" , ( socket ) => { socket . emit ( "hello" , 1 , "2" , { 3 : "4" , 5 : Buffer . from ( [ 6 ] ) } ) ; } ) ; Acknowledgement Callback Promise io . on ( "connection" , ( socket ) => { socket . emit ( "hello" , "world" , ( arg1 , arg2 , arg3 ) => { // ... } ) ; } ) ; io . on ( "connection" , async ( socket ) => { const response = await socket . emitWithAck ( "hello" , "world" ) ; } ) ; Acknowledgement and timeout Callback Promise io . on ( "connection" , ( socket ) => { socket . timeout ( 5000 ) . emit ( "hello" , "world" , ( err , arg1 , arg2 , arg3 ) => { if ( err ) { // the client did not acknowledge the event in the given delay } else { // ... } } ) ; } ) ; io . on ( "connection" , async ( socket ) => { try { const response = await socket . timeout ( 5000 ) . emitWithAck ( "hello" , "world" ) ; } catch ( e ) { // the client did not acknowledge the event in the given delay } } ) ; Broadcasting To all connected clients io . emit ( "hello" ) ; Except the sender io . on ( "connection" , ( socket ) => { socket . broadcast . emit ( "hello" ) ; } ) ; Acknowledgements Callback Promise io . timeout ( 5000 ) . emit ( "hello" , "world" , ( err , responses ) => { if ( err ) { // some clients did not acknowledge the event in the given delay } else { console . log ( responses ) ; // one response per client } } ) ; try { const responses = await io . timeout ( 5000 ) . emitWithAck ( "hello" , "world" ) ; console . log ( responses ) ; // one response per client } catch ( e ) { // some clients did not acknowledge the event in the given delay } In a room to all connected clients in the room named "my room" io . to ( "my room" ) . emit ( "hello" ) ; to all connected clients except the ones in the room named "my room" io . except ( "my room" ) . emit ( "hello" ) ; with multiple clauses io . to ( "room1" ) . to ( [ "room2" , "room3" ] ) . except ( "room4" ) . emit ( "hello" ) ; In a namespace io . of ( "/my-namespace" ) . emit ( "hello" ) ; tip The modifiers can absolutely be chained: io . of ( "/my-namespace" ) . on ( "connection" , ( socket ) => { socket . timeout ( 5000 ) . to ( "room1" ) . to ( [ "room2" , "room3" ] ) . except ( "room4" ) . emit ( "hello" , ( err , responses ) => { // ... } ) ; } ) ; This will emit a "hello" event to all connected clients: in the namespace named my-namespace in at least one of the rooms named room1 , room2 and room3 , but not in room4 except the sender And expect an acknowledgement in the next 5 seconds. Between servers Basic emit io . serverSideEmit ( "hello" , "world" ) ; Receiving side: io . on ( "hello" , ( value ) => { console . log ( value ) ; // "world" } ) ; Acknowledgements Callback Promise io . serverSideEmit ( "hello" , "world" , ( err , responses ) => { if ( err ) { // some servers did not acknowledge the event in the given delay } else { console . log ( responses ) ; // one response per server (except the current one) } } ) ; try { const responses = await io . serverSideEmitWithAck ( "hello" , "world" ) ; console . log ( responses ) ; // one response per server (except the current one) } catch ( e ) { // some servers did not acknowledge the event in the given delay } Receiving side: io . on ( "hello" , ( value , callback ) => { console . log ( value ) ; // "world" callback ( "hi" ) ; } ) ; Client Basic emit socket . emit ( "hello" , 1 , "2" , { 3 : "4" , 5 : Uint8Array . from ( [ 6 ] ) } ) ; Acknowledgement Callback Promise socket . emit ( "hello" , "world" , ( arg1 , arg2 , arg3 ) => { // ... } ) ; const response = await socket . emitWithAck ( "hello" , "world" ) ; Acknowledgement and timeout Callback Promise socket . timeout ( 5000 ) . emit ( "hello" , "world" , ( err , arg1 , arg2 , arg3 ) => { if ( err ) { // the server did not acknowledge the event in the given delay } else { // ... } } ) ; try { const response = await socket . timeout ( 5000 ) . emitWithAck ( "hello" , "world" ) ; } catch ( e ) { // the server did not acknowledge the event in the given delay } Edit this page Last updated on Nov 15, 2025 Server Single client Basic emit Acknowledgement Acknowledgement and timeout Broadcasting To all connected clients Except the sender Acknowledgements In a room In a namespace Between servers Basic emit Acknowledgements Client Basic emit Acknowledgement Acknowledgement and timeout Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://www.fine.dev/blog/ai-for-programmers | AI for Programmers: Trends and Predictions Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back AI for Programmers: Trends and Predictions AI is flipping the script on programming, changing the way you write, test, and deploy code. Forget those boring workflows—AI is here to make development faster, more efficient, and, dare we say, a bit more fun. The hype around "AI for programmers" is real, and it's pushing the limits of what you can achieve. So buckle up as we dive into the latest AI trends and what the future has in store for you. 1. Current Role of AI in Programming AI is already deeply integrated into programming, supporting developers in numerous ways: AI Code Assistants : Many programmers are using AI assistants to help write code. These range from basic tools that auto-complete text to [full-fledged platforms like Fine that can perform a variety of tasks with you, such as answering questions about your codebase and making revisions in PRs]. ) Automated Bug Detection : AI-driven tools are identifying and highlighting bugs, helping developers maintain higher code quality. Tools like Sentry are used to monitor software and catch bugs, and can be used as context for AI agents such as Fine. AI-Driven Testing and Code Review : AI assists in automated testing and reviewing code, ensuring consistency and reducing manual errors. Natural Language-Based Coding : AI tools like Fine.dev make coding more accessible by allowing developers to write code using plain language descriptions. 2. Emerging Trends in AI for Programming AI is evolving rapidly, and new trends are emerging that are reshaping the development field: Collaborative AI Coding : AI tools like Fine are enabling collaborative workflows where developers and AI work asynchronously on tasks, rather than just pair programming. Fine's experience is based on working with another human developer - however you usually interact and collaborate, you can work with Fine. AI in Code Optimization : AI tools are being used to optimize code, improving performance, efficiency, and scalability of existing codebases. AI in Low-Code/No-Code Platforms : AI is making low-code and no-code platforms even more powerful, helping people without deep technical knowledge to build apps more easily. This is making the work of professional developers even more important - in a world where anyone can build a simple application, only truly high-quality software is in demand. Natural Language Programming : AI tools for programmers allow developers to describe their desired functionality in natural language, and the AI generates the corresponding code, making development more intuitive. This is also known as specs-driven development and we expect it will be the way most code is written in 2030. AI-Driven Continuous Integration/Continuous Deployment (CI/CD) : AI agents are optimizing CI/CD pipelines, speeding up software delivery and reducing human intervention in routine processes. 3. Predictions for the Future of AI in Programming Looking ahead, we can make several predictions about how AI will shape the future of programming: The Evolution of AI Code Assistants : AI will become a key part of every step in the software development lifecycle, from initial concept to production. Tools like Finewill help developers seamlessly navigate these stages. Shift Towards AI-First Development : The future might see developers starting projects with AI-generated code skeletons, acting as supervisors who guide, refine, and add complex logic where needed. Personalized AI Agents : AI agents, like those in Fine, will learn from individual developers' or teams' coding styles, enabling them to make more accurate suggestions and complete tasks with greater efficiency. Ethics and Responsibility : As AI becomes more powerful, understanding ethical concerns and how AI models make decisions will be crucial for developers. Bias in AI outputs must be mitigated through careful consideration and monitoring. AI for Learning and Upskilling : AI will play a significant role in helping developers learn new skills, providing real-time, interactive feedback and personalized learning experiences. 4. Challenges and Considerations With AI becoming more prominent in programming, developers and the industry need to address several challenges: Reliance on AI : Over-reliance on AI tools might result in developers losing their fundamental coding skills. It's essential to strike a balance between leveraging AI and maintaining core competencies. Bias in AI Models : AI models can carry biases from the data they are trained on, leading to unethical or unfair code suggestions. Developers must be vigilant and responsible when using AI tools. Data Privacy and Security : Trusting AI with proprietary or sensitive code can present security risks. Developers must ensure AI tools are secure and compliant with privacy regulations. 5. How Developers Can Prepare for the Future To thrive in a world where AI is a significant part of programming, developers should consider the following steps: Learn to Collaborate with AI : Embrace tools like Fine and learn how to work with AI as a partner, using its strengths to enhance productivity. The best developers, working with the best AI tools, will deliver the best results. Practice communicating clear, detailed requirements. Focus on Problem Solving and Design : While AI can handle repetitive and mundane coding tasks, human creativity, problem-solving, and design are irreplaceable skills that developers should hone. Stay Informed : Keep up with advancements in AI-driven programming by reading blogs, taking courses, and experimenting with the latest AI tools like Fine.dev. Conclusion AI is undoubtedly transforming the programming world, but rather than replacing developers, it is evolving their roles. AI tools like Fine are making coding more efficient, helping developers focus on creative problem-solving while automating routine tasks. The future of programming is collaborative, and those who embrace AI will be well-positioned to lead the industry. Ready to experience the future of programming? Sign up for Fine today and discover how AI can streamline your coding processes, boost your productivity, and prepare you for the future of programming. Table of Contents Current Role of AI in Programming Emerging Trends in AI for Programming Predictions for the Future of AI in Programming Challenges and Considerations How Developers Can Prepare for the Future 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:48:24 |
https://www.fine.dev/blog/ai-replace-programmers-es | ¿Reemplazará la IA a los programadores? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back ¿Reemplazará la IA a los programadores? La pregunta "¿Reemplazará la IA a los programadores?" ha estado circulando en los círculos tecnológicos, generando tanto entusiasmo como preocupación. A medida que las herramientas de codificación impulsadas por IA se vuelven más avanzadas, vale la pena preguntarse: ¿dónde deja esto a los desarrolladores humanos? Exploremos las perspectivas de las voces líderes en el campo. El Caso de la Revolución del Desarrollo por IA La IA Transformando el Desarrollo de Software La IA está transformando indudablemente nuestra forma de abordar el desarrollo de software. Herramientas como GitHub Copilot y plataformas como Fine están permitiendo a los desarrolladores agilizar tareas repetitivas. Como señala un artículo , "La IA puede producir fragmentos de código o funciones completas basadas en indicaciones de lenguaje natural, agilizando el desarrollo" (The Tech Bible). Haciendo el Codificado Más Accesible Estas herramientas no solo ahorran tiempo; también hacen que la codificación sea más accesible. Por ejemplo, la IA puede ayudar a los principiantes con orientación en tiempo real, actuando como un mentor personal Techies Spot . Esto reduce la barrera de entrada para el desarrollo de software, abriendo puertas para que más personas participen en la industria. ¿Reemplazará la IA a los Programadores Completamente? El consenso parece ser un rotundo no. Si bien la IA sobresale en la automatización de tareas repetitivas, carece de la creatividad, intuición y habilidades de resolución de problemas que los programadores humanos aportan. Como explica Jonathan's Musings, "La IA podría generar código, pero comprender requisitos complejos y traducirlos en soluciones robustas aún requiere perspicacia humana". Peter H. Diamandis comparte este sentimiento , afirmando: "En lugar de reemplazar a los programadores, la IA actuará como un multiplicador, permitiendo a los desarrolladores centrarse en tareas de nivel superior". ¿Cuándo Reemplazará la IA a los Programadores? La pregunta de cuándo, si es que alguna vez, la IA reemplazará a los programadores es compleja. Los modelos de IA actuales, aunque poderosos, tienen limitaciones significativas. Carecen de verdadera comprensión, a menudo generan código incorrecto o inseguro, y requieren supervisión humana para garantizar la calidad y confiabilidad. Estas limitaciones significan que la IA aún está lejos de poder reemplazar completamente a los programadores humanos. La Evolución de las Capacidades de la IA La IA avanza rápidamente, y es posible que futuras iteraciones puedan manejar tareas de desarrollo más complejas. Sin embargo, el cronograma para esto es incierto. Los expertos creen que la IA continuará complementando a los desarrolladores humanos en lugar de reemplazarlos completamente en el futuro previsible. La capacidad humana para comprender el contexto, tomar decisiones de juicio y resolver problemas creativamente sigue siendo insustituible. La IA como Socio del Programador Rol Colaborativo de la IA La perspectiva más prometedora sobre la IA en la programación es su rol como socio colaborativo. Los desarrolladores pueden aprovechar la IA para automatizar tareas rutinarias, generar código estándar e incluso depurar sistemas complejos. Según Billy Newport, "Los asistentes de codificación de IA se integrarán perfectamente en herramientas como GitHub, actuando como colaboradores rápidos y eficientes en lugar de reemplazos" (Billy Newport). Solución de Desarrollador de IA de Fine La solución de desarrollador de IA de Fine es un ejemplo perfecto de esta asociación en acción. Con características como Vistas Previas en Vivo y Flujos de Trabajo de IA, Fine permite a los desarrolladores escribir, probar y refinar código en tiempo real. Al automatizar lo mundano, los desarrolladores pueden centrarse en la innovación y la resolución de problemas. Conclusión Entonces, ¿reemplazará la IA a los programadores? La respuesta es no, pero los hará más productivos, creativos e impactantes que nunca. La IA no es un reemplazo para la genialidad humana; es una herramienta para mejorarla. A medida que la industria evoluciona, plataformas como Fine liderarán la carga, ayudando a los desarrolladores a lograr más con menos fricción. Fine es una solución ideal para startups que buscan optimizar sus procesos de desarrollo y maximizar la productividad sin necesidad de grandes equipos. Al automatizar tareas repetitivas, Fine permite a los equipos de startups centrarse en la innovación, acelerando su tiempo de comercialización. ¿Interesado en probarlo? Regístrate en Fine hoy y ve cómo la IA puede potenciar tu viaje de codificación y ayudar a tu startup a escalar eficientemente. Con la IA en tu caja de herramientas, el futuro de la programación parece más prometedor que nunca. 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:48:24 |
https://www.fine.dev/blog/coded-by-ai-backend-webhook | Using Fine to Set Up a Retry Mechanism for Failed Webhooks Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Using Fine to Set Up a Retry Mechanism for Failed Webhooks Setting up retry mechanisms for failed webhooks used to be a tedious task for developers, but with AI like Fine, it's now a breeze. Let's see how Fine can automate this process, saving you time and headaches. Scenario: Webhooks Need a Reliable Retry Mechanism Let's say you have an application that sends webhooks to various third-party services. Occasionally, these webhooks fail — whether it’s due to momentary downtime on the receiver’s side or a blip in network connectivity. To ensure reliability, we need a retry mechanism that handles these failures automatically. Fine can take the task of building this functionality, freeing developers to focus on higher-level logic. The objective here is to implement a retry mechanism for failed webhooks using RabbitMQ. This includes setting up exponential backoff to progressively delay retries and configuring a dead-letter queue for requests that fail after multiple attempts. Finally, we’ll simulate failures to validate the entire process. The Prompt for Fine Using Fine’s intelligent AI agents, we can set up the retry mechanism efficiently. Here’s the prompt that we’ll provide to Fine: "Implement a retry mechanism for failed outbound webhooks using RabbitMQ. Add the retry logic to @services/webhook_service.js , configure exponential backoff in @config/rabbitmq.js , and set up a dead-letter queue. Write tests in @tests/integration/webhook_retries.test.js to simulate failures and validate the retry mechanism." How Fine Executes This Task Upon receiving the prompt, Fine acts as a powerful coding assistant, utilizing its context and capabilities to implement each part of the solution: Adding Retry Logic to @services/webhook_service.js retry mechanism in the webhook_service.js file. It integrates RabbitMQ to re-queue failed webhooks, ensuring they’re attempted multiple times in case of failure. Configuring Exponential Backoff in @config/rabbitmq.js Exponential backoff is key to avoiding overwhelming a temporarily down service. Fine configures exponential delays in @config/rabbitmq.js , progressively increasing the wait time between retry attempts to give third-party services enough time to recover. Setting Up a Dead-Letter Queue To handle webhook requests that keep failing even after retries, Fine sets up a dead-letter queue. This is essential for maintaining system stability and identifying consistent issues — webhooks that can’t be processed are moved to this queue for manual review or alerts. Testing the Retry Mechanism in @tests/integration/webhook_retries.test.js . Fine creates integration tests to simulate webhook failures and validate the retry mechanism’s behavior. The tests ensure that failed webhooks are retried with exponential backoff, and eventually moved to the dead-letter queue if they continue to fail. Results: Reliable Webhooks, Efficient Development With Fine, the implementation of a retry mechanism becomes a manageable microtask, rather than an overwhelming project. Developers don’t have to start from scratch or worry about getting the nuances of RabbitMQ configuration just right. Instead, they can trust Fine to handle these repetitive and detail-heavy parts of development. The end result is a robust system where webhooks are reliable, minimizing the risk of losing important events due to transient issues. Fine’s contribution doesn’t just save time — it provides peace of mind, knowing that every step from retry logic to exponential backoff and dead-letter handling is well taken care of. Ready to Automate Your Dev Tasks? Retry mechanisms are just one of the many workflows that Fine can automate, allowing you to focus on innovation rather than boilerplate. Whether it’s setting up robust event-driven systems or managing other critical workflows, Fine’s AI agents are here to help. Give it a try and see how much development you can automate with Fine! 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:48:24 |
https://www.suprsend.com/comparison-page/messagebird-vs-gupshup-2023 | Comparing the Top Messaging Platforms (2025) Product FEATURES Template Engine Powerful template editors for all channels App Inbox Fully customizable inbox for your app & website Analytics Deep data insights on notification performance Logs Real-time notifications logs for all channels Smart Routing Reach users where they are Branding Seamlessly manage multi-brand customization Workflows Craft complex notification workflows Bifrost Run notifications natively on data warehouse Preferences Develop user focused notifications Integrations Integrate any channel and provider within mins Solutions BY USECASES Transactional Real-time alerts like authentication, activity updates Batching & Digest Aggregate multiple alerts into one Collaboration & Action Alerts on cross-user activity Scheduled Notifications One-time or recurring alerts like reminders Multi-tenant Alerts tailored to your customer's preferences Announcement / Newsletters Feature releases, achievements, product & policy updates Pricing Docs Customers Blog Login Get Started For Free Login Sign up Email management Comparing the Top Messaging Platforms (2025) Nikita Navral • December 2, 2025 TABLE OF CONTENTS Businesses rely on cloud communications platforms to power SMS alerts, authentication flows, customer engagement, and global voice calling. With so many options available, it’s important to understand how the major players differ in capabilities, pricing, and security. Below is a clear comparison of RingCentral, MessageBird, Plivo, Karix, Twilio, Sinch, Exotel, Telnyx, Ooma, Bandwidth, Gupshup, Vonage, and Amazon SNS - with key features, cost, and security included for each. Twilio Key Features: SMS/MMS, voice, WhatsApp, chat, email (SendGrid), video, global phone numbers, user authentication. Cost: Pay-as-you-go. US SMS ~ $0.0079 outbound; voice outbound ~ $0.014/min. SendGrid email plans start at $19.95/month. Security: HTTPS APIs, API key authentication, enterprise-grade controls depending on product. MessageBird (Bird) Key Features: SMS, WhatsApp, email, voice, multichannel inbox, 2FA/verify, omnichannel automation. Cost: US SMS ~ $0.008/message; WhatsApp from ~$0.005/message; dedicated numbers from ~$0.50/month. Security: ISO/IEC 27001:2013, SOC 2 Type II, GDPR-aligned, regulated under Dutch telecommunications authority. Plivo Key Features: SMS, MMS, voice APIs, WhatsApp, user verification APIs, Fraud Shield protection. Cost: US SMS ~ $0.0055/message; MMS ~ $0.018/message; plans also available starting around $25/month. Security: Fraud Shield for SMS fraud, standard API security, compliance frameworks appropriate for telecom workflows. Sinch Key Features: Global messaging, voice APIs, phone number provisioning, enterprise conversational tools, in-app voice/video SDKs. Cost: Pay-as-you-go; pricing varies by region and channel. Security: Enterprise security posture; used widely by large regulated businesses. RingCentral Key Features: Enterprise UCaaS and CCaaS — voice, video, messaging, contact center, team collaboration. Cost: Subscription-based; varies by seat and plan tier. Security: 99.999% uptime SLA, enterprise compliance standards, secure global network. Vonage Key Features: Business phone systems, unified communications, plus APIs for voice, SMS, video, messaging. Cost: Varies by product; SMS and voice pricing similar to other CPaaS players. Security: Industry-standard certifications (ISO 27001, HIPAA support in certain offerings). Bandwidth Key Features: Voice, messaging, emergency services APIs built on its own carrier network. Cost: Usage-based; typically competitive because Bandwidth owns telecom infrastructure. Security: Strong network-level security due to owning carrier backbone; enterprise-grade controls. Telnyx Key Features: Programmable voice, SMS, SIP trunking, wireless IoT, phone numbers; operates its own global private network. Cost: Generally lower than Twilio in many regions; usage-based for SMS/voice. Security: Private global network architecture, encrypted communications, strong compliance posture. Karix Key Features: SMS, voice, WhatsApp, and multichannel messaging, with strong performance in India/APAC. Cost: Pricing varies by region and volume; typically optimized for India and emerging markets. Security: Regional telecom compliance; enterprise messaging security standards. Exotel Key Features: Cloud telephony, IVR, virtual numbers, call routing, contact-center tools, SMS, WhatsApp. Cost: Region-based pricing; popular for cost-effective India/SEA deployments. Security: Telecom-grade compliance in India, SEA, and Middle East markets. Gupshup Key Features: SMS, WhatsApp, RCS, conversational messaging, bot frameworks, commerce and marketing flows. Cost: Pricing varies by channel and country; optimized for India, LATAM, and emerging markets. Security: Regional compliance and enterprise-grade security for messaging workflows. Ooma Key Features: SMB VoIP phone systems, virtual receptionist, call routing, basic business telephony. Cost: Subscription-based; lower-cost than enterprise UCaaS providers. Security: Standard SMB business-telephony protections; not CPaaS-level programmability. Amazon SNS Key Features: Pub/Sub messaging, SMS notifications, push notifications, email; part of AWS event-driven architecture. Cost: Pay-as-you-go based on notifications sent; AWS regional SMS pricing applies. Security: Inherits AWS IAM, encryption, compliance, monitoring, and infrastructure security. Which Platform Fits Which Use Case? If you want developer APIs to build custom communication flows: Twilio, Plivo, Telnyx, Bandwidth. If you need enterprise communication suites for internal teams: RingCentral, Vonage, Ooma for SMBs. If global omnichannel messaging is key: MessageBird, Sinch, Gupshup, Karix, Exotel. If you’re on AWS and only need notifications: Amazon SNS. Conclusion Each provider has unique strengths: some excel at global messaging, others at enterprise unified communications, others at developer-centric programmability. Understanding key features, pricing, and security posture helps narrow down the best fit for your product, geography, and scale. Share this blog on: Written by: Nikita Navral Co-Founder, SuprSend Implement a powerful stack for your notifications Get Started For Free Book Demo Company About us Signup Login Integrations Pricing Security Privacy Terms Contact Us Support SuprSend for Startups API Status Sign Up Channels Email SMS Notification Inbox Android Push iOS Push Web Push Xiaomi Push Whatsapp SDK Python SDK Node.js SDK Java SDK Android SDK React Native SDK iOS SDK Flutter SDK Go SDK Resources Documentation Changelog Blogs Write for us SMTP Error Codes SMS Providers Comparisons Email Providers Comparisons SMS Providers Alternatives Join us on Slack We are building a community of developers and product builders from across the globe to make notifications a pleasant experience. © 2025 All rights reserved. SuprStack Inc. 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 Get 10% OFF on your next order Subscribe to our newsletter and receive a 10% OFF coupon to use on your next order. Please check your email for your 10% OFF coupon Oops! Something went wrong while submitting the form. | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/namespaces/#custom-namespaces | Namespaces | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Adapters Advanced Namespaces Custom parser Admin UI Usage with PM2 Load testing Performance tuning Migrations Miscellaneous Advanced Namespaces Version: 4.x On this page Namespaces A Namespace is a communication channel that allows you to split the logic of your application over a single shared connection (also called "multiplexing"). Introduction Each namespace has its own: event handlers io . of ( "/orders" ) . on ( "connection" , ( socket ) => { socket . on ( "order:list" , ( ) => { } ) ; socket . on ( "order:create" , ( ) => { } ) ; } ) ; io . of ( "/users" ) . on ( "connection" , ( socket ) => { socket . on ( "user:list" , ( ) => { } ) ; } ) ; rooms const orderNamespace = io . of ( "/orders" ) ; orderNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; orderNamespace . to ( "room1" ) . emit ( "hello" ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; // distinct from the room in the "orders" namespace userNamespace . to ( "room1" ) . emit ( "holà" ) ; } ) ; middlewares const orderNamespace = io . of ( "/orders" ) ; orderNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "orders" namespace, and then next ( ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "users" namespace, and then next ( ) ; } ) ; Possible use cases: you want to create a special namespace that only authorized users have access to, so the logic related to those users is separated from the rest of the application const adminNamespace = io . of ( "/admin" ) ; adminNamespace . use ( ( socket , next ) => { // ensure the user has sufficient rights next ( ) ; } ) ; adminNamespace . on ( "connection" , socket => { socket . on ( "delete user" , ( ) => { // ... } ) ; } ) ; your application has multiple tenants so you want to dynamically create one namespace per tenant const workspaces = io . of ( / ^\/\w+$ / ) ; workspaces . on ( "connection" , socket => { const workspace = socket . nsp ; workspace . emit ( "hello" ) ; } ) ; Main namespace Until now, you interacted with the main namespace, called / . The io instance inherits all of its methods: io . on ( "connection" , ( socket ) => { } ) ; io . use ( ( socket , next ) => { next ( ) } ) ; io . emit ( "hello" ) ; // are actually equivalent to io . of ( "/" ) . on ( "connection" , ( socket ) => { } ) ; io . of ( "/" ) . use ( ( socket , next ) => { next ( ) } ) ; io . of ( "/" ) . emit ( "hello" ) ; Some tutorials may also mention io.sockets , it's simply an alias for io.of("/") . io . sockets === io . of ( "/" ) Custom namespaces To set up a custom namespace, you can call the of function on the server-side: const nsp = io . of ( "/my-namespace" ) ; nsp . on ( "connection" , socket => { console . log ( "someone connected" ) ; } ) ; nsp . emit ( "hi" , "everyone!" ) ; Client initialization Same-origin version: const socket = io ( ) ; // or io("/"), the main namespace const orderSocket = io ( "/orders" ) ; // the "orders" namespace const userSocket = io ( "/users" ) ; // the "users" namespace Cross-origin/Node.js version: const socket = io ( "https://example.com" ) ; // or io("https://example.com/"), the main namespace const orderSocket = io ( "https://example.com/orders" ) ; // the "orders" namespace const userSocket = io ( "https://example.com/users" ) ; // the "users" namespace In the example above, only one WebSocket connection will be established, and the packets will automatically be routed to the right namespace. Please note that multiplexing will be disabled in the following cases: multiple creation for the same namespace const socket1 = io ( ) ; const socket2 = io ( ) ; // no multiplexing, two distinct WebSocket connections different domains const socket1 = io ( "https://first.example.com" ) ; const socket2 = io ( "https://second.example.com" ) ; // no multiplexing, two distinct WebSocket connections usage of the forceNew option const socket1 = io ( ) ; const socket2 = io ( "/admin" , { forceNew : true } ) ; // no multiplexing, two distinct WebSocket connections Dynamic namespaces It is also possible to dynamically create namespaces, either with a regular expression: io . of ( / ^\/dynamic-\d+$ / ) ; or with a function: io . of ( ( name , auth , next ) => { next ( null , true ) ; // or false, when the creation is denied } ) ; You can have access to the new namespace in the connection event: io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { const namespace = socket . nsp ; } ) ; The return value of the of() method is what we call the parent namespace, from which you can: register middlewares const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . use ( ( socket , next ) => { next ( ) } ) ; The middleware will automatically be registered on each child namespace. broadcast events const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . emit ( "hello" ) ; // will be sent to users in /dynamic-1, /dynamic-2, ... caution Existing namespaces have priority over dynamic namespaces. For example: // register "dynamic-101" namespace io . of ( "/dynamic-101" ) ; io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { // will not be called for a connection on the "dynamic-101" namespace } ) ; Complete API The complete API exposed by the Namespace instance can be found here . Edit this page Last updated on Nov 15, 2025 Previous Azure Service Bus adapter Next Custom parser Introduction Main namespace Custom namespaces Client initialization Dynamic namespaces Complete API Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://www.fine.dev/blog/cursor-vs-copilot | Cursor or GitHub Copilot: Which is the Better AI Coding Tool? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Cursor or GitHub Copilot: Which is the Better AI Coding Tool? We’re all looking for ways to become better, more productive developers, and the headlines over the last few years suggest that AI coding tools are the way to go. Two of the most well-known tools are GitHub Copilot, which suggests code much like autocomplete in Gmail, and Cursor, an IDE extension built on Microsoft VSC that has taken the internet by storm after their influencer campaign featured 8-year-olds building websites. But developers are left with many questions, which we’ll look at in this article. Table of Contents Is GitHub Copilot Worth the Money? Is Cursor Worth the Money? What Are the Main Differences Between GitHub Copilot and Cursor? Why Do GitHub Copilot and Cursor Hallucinate Code? How to Prevent Hallucinations in AI Coding? Do I Need Cursor If I Already Pay for Copilot? What Other AI Coding Tools Are There? Is GitHub Copilot Worth the Money? GitHub Copilot is primarily an extension for your IDE. First of all, this means you’re still working in the same place you’ve always worked. The advantage of this is it’s familiar, but it’s still restrictive—Copilot doesn’t allow you to give the AI tasks while you’re away from your desk and come back to the results. No interacting with the AI from your mobile or setting multiple tasks to run while you’re in meetings or working on other features. However, the interaction means that you should have a fairly good understanding of what Copilot is doing. As it only adds a few lines of code at a time, it’s very easy to stay on top of the suggestions made by the AI and fix issues. According to GitHub, predictive text (the main feature of Copilot) allows developers to reach task completion 55% faster. Presumably, they’re referring to the task of writing the code, not including planning, testing, and problem-solving. However, in other surveys, developers reported deleting more generated code than they keep , struggling with hallucinations, and concerns about copyright. GitHub Copilot draws on the open tabs in your IDE as its knowledge source to complete your tasks, which is one reason why its usefulness is limited; it doesn’t know what’s happening in the rest of your codebase. It’s like bringing on a freelancer to do one task, but not explaining how your software works, not allowing them to see the codebase, and not explaining your own style rules. They can take a pretty good attempt at the task in theory, but in practice, it’s unlikely to be what you’re looking for. Other AI developer tools solve this problem by adding more context—we’ll look into this later. The only way to get fully context-aware answers in GitHub Copilot is to sign up for their enterprise plan, which is only available for existing GitHub enterprise customers. Similarly, many other GitHub Copilot features are restricted to enterprise users , including PR summaries, knowledge bases, and web-based chat. Other tools aimed at small teams and individual developers, such as Fine, offer all these features in regular plans. GitHub Copilot offers an individual plan at $10 per user, but the functionalities are so limited that to get the most out of it, the business plan at $19 per user is more relevant. This comes in more expensive than alternatives and, as mentioned, still doesn’t offer all the features. You get unlimited messages and interactions, including code completion. So in summary, while it’s worth trying out Copilot if you have the money for extra tools, this isn’t the AI coding revolution that you’ve been promised, and it’s worth checking out alternatives. It’s certainly better than writing all your code from scratch. Is Cursor Worth the Money? Many people “graduated” from GitHub Copilot to Cursor, with Cursor considered to be a more effective tool for AI code generation . Cursor claims to go beyond simple code completion by offering in-line explanations, documentation, and contextual search, which can be valuable for complex projects. Cursor can be used to create boilerplate code for entire features and programs, offering a far larger scope of work. Some people complain that Cursor, as a fork of VSCode and not a plugin, has drawbacks such as not being able to debug within the same IDE and needing to copy-paste code between platforms. Cursor supports most coding languages (of course, the more common the language, the better the results) and provides real-time code suggestions and instant feedback . Working with Cursor is like sitting down with another smart programmer and sharing notes, working together on a project. Cursor is great with natural language commands , hence the low barrier to entry demonstrated by many users on social media. Even people with little-to-no coding knowledge can get started by writing commands in plain English, just like in ChatGPT, and getting a code output. For more advanced developers and companies building commercial products, this is definitely a nice-to-have, but the benefits trail off quickly as in-depth knowledge and understanding of the code is required to know what to ask of the AI in order to improve the software. Cursor offers a limited free plan that also includes a 2-week free trial of pro features, usually worth $20 per month. All the plans are usage-based, and while the Pro plan includes unlimited completions (of code), Cursor limits which LLM you can use and after a while, limits you to “slow premium” uses. For beginners looking to build hobby projects, or non-tech startup founders who want to validate an idea, Cursor can be a great entry tool to build out an MVP. You’ll need some level of understanding, but that’s nothing you can’t learn with a few YouTube videos. For more experienced developers, Cursor is a useful addition to the tech stack and at $20 a month is hardly going to break the bank, so we’ll rate it as worth the money—but it’s not going to change your life. What Are the Main Differences Between GitHub Copilot and Cursor? GitHub Copilot solely uses OpenAI’s GPT, while Cursor supports GPT and Claude models. Pricing-wise they’re similar, as for the functionalities most developers look for, you’ll need the $20 plan. If you’re an enterprise customer of GitHub, however, GitHub Enterprise seems to be worth the extra investment (although the same features are available from Fine at a fraction of the cost). Cursor integrates additional features like in-line documentation and contextual search directly into the IDE, while GitHub Copilot primarily integrates as a code suggestion tool without these extras. Cursor's added features can sometimes slow down the workflow for developers seeking quick solutions, whereas GitHub Copilot's simpler interface is more straightforward but offers fewer advanced features. Why Do GitHub Copilot and Cursor Hallucinate Code? GitHub Copilot and Cursor hallucinate code primarily because they operate with limited context and can't fully interact with the entire codebase. These AI tools generate code based on patterns from their training data, but they don’t have a complete understanding of the specific project they’re working on. Since they can't access or comprehend the entire codebase, they often make suggestions that are out of context, incorrect, or irrelevant. For developers, this severely limits the usefulness of both tools, as it requires them to spend extra time reviewing, correcting, or discarding the AI-generated code, ultimately reducing the efficiency these tools are supposed to provide. The more context a tool has, the more accurate the code output will be. That’s why GitHub Copilot Enterprise is much more successful than the regular plan and why many people opt for platforms such as Fine, which offer the same features at a more accessible price for all developers. Similarly, AI can be used to test and find its own hallucinations by running the code and seeing if the desired result is achieved. Although this isn’t offered by GitHub Copilot and Cursor, other AI Coding tools such as Fine make it easy to do. How to Prevent Hallucinations in AI Coding? To prevent hallucinations in AI coding, give your AI as much context from your codebase as possible. If you’re using ChatGPT, this means copying and pasting the code so it knows to what to refer. Tools like Fine integrate with your tech stack and build a knowledge graph for the AI so that you won’t need to copy-and-paste, saving time. In addition, set your AI to automatically analyze and test new PRs, so that if it fails, it can fix and improve the code. Do I Need Cursor If I Already Pay for Copilot? Although there are some differences between what the platforms offer, there doesn’t seem to be enough variation (at the moment) to justify spending on both tools, given that their primary focus is code generation. While some developers are canceling their Copilot subscriptions in favor of Cursor, this seems to be based on the trends seen on social media. Many others are subscribed to one platform only and aren’t using it much because of their limitations, and would benefit from a different platform entirely that offers more than code generation. What Other AI Coding Tools Are There? Fine (Available to all) Fine is the end-to-end AI coding solution that integrates with your tech stack and helps with tasks from every step of the development lifecycle. It offers automations called Workflows, so AI processes can kick into place automatically, and is based on a unique knowledge graph called Atlas, which increases output accuracy. Fine isn’t just for generating code, it’s for a smoother development process. Plus, it’s cloud-based and mobile-friendly, so there’s no reason you can’t code from anywhere. Devin (Available on request and approval) Devin took the dev world by storm thanks to their successful marketing campaign in March. They promise a full AI development assistant, which can plan, execute, and debug on its own. It’s familiar with many programming languages and aware of technical jargon . However, the platform isn’t publicly available. You have to request access via their website. Magic (Unavailable) Magic recently raised $320m in another fundraising round and their mission is to join the likes of Fine, Cursor, and GitHub Copilot in offering software to help developers with generating code, AI workflows, and even AGI that can solve problems better than humans can. Unlike the others, instead of relying on the existing LLMs, they’re developing what they call “Long-Term Memory” to shift the focus from training to context. Magic isn’t yet available to the public, but they’ve made it clear they’re focusing on applying their technologies specifically to the software development industry . Try Fine - Free 7 Day Trial Fine offers many of the features that GitHub Copilot offers on the enterprise plan, and more. It’s designed to help developers with their work across the dev lifecycle, solving many of the issues with Copilot and Cursor. Try it now, free for 7 days . 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:48:24 |
https://www.suprsend.com/comparison-page/ooma-vs-messagebird-2024 | Comparing the Top Messaging Platforms (2025) Product FEATURES Template Engine Powerful template editors for all channels App Inbox Fully customizable inbox for your app & website Analytics Deep data insights on notification performance Logs Real-time notifications logs for all channels Smart Routing Reach users where they are Branding Seamlessly manage multi-brand customization Workflows Craft complex notification workflows Bifrost Run notifications natively on data warehouse Preferences Develop user focused notifications Integrations Integrate any channel and provider within mins Solutions BY USECASES Transactional Real-time alerts like authentication, activity updates Batching & Digest Aggregate multiple alerts into one Collaboration & Action Alerts on cross-user activity Scheduled Notifications One-time or recurring alerts like reminders Multi-tenant Alerts tailored to your customer's preferences Announcement / Newsletters Feature releases, achievements, product & policy updates Pricing Docs Customers Blog Login Get Started For Free Login Sign up Email management Comparing the Top Messaging Platforms (2025) Nikita Navral • December 2, 2025 TABLE OF CONTENTS Businesses rely on cloud communications platforms to power SMS alerts, authentication flows, customer engagement, and global voice calling. With so many options available, it’s important to understand how the major players differ in capabilities, pricing, and security. Below is a clear comparison of RingCentral, MessageBird, Plivo, Karix, Twilio, Sinch, Exotel, Telnyx, Ooma, Bandwidth, Gupshup, Vonage, and Amazon SNS - with key features, cost, and security included for each. Twilio Key Features: SMS/MMS, voice, WhatsApp, chat, email (SendGrid), video, global phone numbers, user authentication. Cost: Pay-as-you-go. US SMS ~ $0.0079 outbound; voice outbound ~ $0.014/min. SendGrid email plans start at $19.95/month. Security: HTTPS APIs, API key authentication, enterprise-grade controls depending on product. MessageBird (Bird) Key Features: SMS, WhatsApp, email, voice, multichannel inbox, 2FA/verify, omnichannel automation. Cost: US SMS ~ $0.008/message; WhatsApp from ~$0.005/message; dedicated numbers from ~$0.50/month. Security: ISO/IEC 27001:2013, SOC 2 Type II, GDPR-aligned, regulated under Dutch telecommunications authority. Plivo Key Features: SMS, MMS, voice APIs, WhatsApp, user verification APIs, Fraud Shield protection. Cost: US SMS ~ $0.0055/message; MMS ~ $0.018/message; plans also available starting around $25/month. Security: Fraud Shield for SMS fraud, standard API security, compliance frameworks appropriate for telecom workflows. Sinch Key Features: Global messaging, voice APIs, phone number provisioning, enterprise conversational tools, in-app voice/video SDKs. Cost: Pay-as-you-go; pricing varies by region and channel. Security: Enterprise security posture; used widely by large regulated businesses. RingCentral Key Features: Enterprise UCaaS and CCaaS — voice, video, messaging, contact center, team collaboration. Cost: Subscription-based; varies by seat and plan tier. Security: 99.999% uptime SLA, enterprise compliance standards, secure global network. Vonage Key Features: Business phone systems, unified communications, plus APIs for voice, SMS, video, messaging. Cost: Varies by product; SMS and voice pricing similar to other CPaaS players. Security: Industry-standard certifications (ISO 27001, HIPAA support in certain offerings). Bandwidth Key Features: Voice, messaging, emergency services APIs built on its own carrier network. Cost: Usage-based; typically competitive because Bandwidth owns telecom infrastructure. Security: Strong network-level security due to owning carrier backbone; enterprise-grade controls. Telnyx Key Features: Programmable voice, SMS, SIP trunking, wireless IoT, phone numbers; operates its own global private network. Cost: Generally lower than Twilio in many regions; usage-based for SMS/voice. Security: Private global network architecture, encrypted communications, strong compliance posture. Karix Key Features: SMS, voice, WhatsApp, and multichannel messaging, with strong performance in India/APAC. Cost: Pricing varies by region and volume; typically optimized for India and emerging markets. Security: Regional telecom compliance; enterprise messaging security standards. Exotel Key Features: Cloud telephony, IVR, virtual numbers, call routing, contact-center tools, SMS, WhatsApp. Cost: Region-based pricing; popular for cost-effective India/SEA deployments. Security: Telecom-grade compliance in India, SEA, and Middle East markets. Gupshup Key Features: SMS, WhatsApp, RCS, conversational messaging, bot frameworks, commerce and marketing flows. Cost: Pricing varies by channel and country; optimized for India, LATAM, and emerging markets. Security: Regional compliance and enterprise-grade security for messaging workflows. Ooma Key Features: SMB VoIP phone systems, virtual receptionist, call routing, basic business telephony. Cost: Subscription-based; lower-cost than enterprise UCaaS providers. Security: Standard SMB business-telephony protections; not CPaaS-level programmability. Amazon SNS Key Features: Pub/Sub messaging, SMS notifications, push notifications, email; part of AWS event-driven architecture. Cost: Pay-as-you-go based on notifications sent; AWS regional SMS pricing applies. Security: Inherits AWS IAM, encryption, compliance, monitoring, and infrastructure security. Which Platform Fits Which Use Case? If you want developer APIs to build custom communication flows: Twilio, Plivo, Telnyx, Bandwidth. If you need enterprise communication suites for internal teams: RingCentral, Vonage, Ooma for SMBs. If global omnichannel messaging is key: MessageBird, Sinch, Gupshup, Karix, Exotel. If you’re on AWS and only need notifications: Amazon SNS. Conclusion Each provider has unique strengths: some excel at global messaging, others at enterprise unified communications, others at developer-centric programmability. Understanding key features, pricing, and security posture helps narrow down the best fit for your product, geography, and scale. Share this blog on: Written by: Nikita Navral Co-Founder, SuprSend Implement a powerful stack for your notifications Get Started For Free Book Demo Company About us Signup Login Integrations Pricing Security Privacy Terms Contact Us Support SuprSend for Startups API Status Sign Up Channels Email SMS Notification Inbox Android Push iOS Push Web Push Xiaomi Push Whatsapp SDK Python SDK Node.js SDK Java SDK Android SDK React Native SDK iOS SDK Flutter SDK Go SDK Resources Documentation Changelog Blogs Write for us SMTP Error Codes SMS Providers Comparisons Email Providers Comparisons SMS Providers Alternatives Join us on Slack We are building a community of developers and product builders from across the globe to make notifications a pleasant experience. © 2025 All rights reserved. SuprStack Inc. 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 Get 10% OFF on your next order Subscribe to our newsletter and receive a 10% OFF coupon to use on your next order. Please check your email for your 10% OFF coupon Oops! Something went wrong while submitting the form. | 2026-01-13T08:48:24 |
https://events.linuxfoundation.org/ | Linux Foundation Events Skip to content Sign In Create Community Profile My LF Profile About Meet the Team Travel Funding Newsletter Blog Contact Us Sponsor Submit a Talk Calendar Code of Conduct Past Events Sign In My LF Profile Create Community Profile Building and sustaining open source communities Over 120,000 open source technologists and leaders from around the globe gather at Linux Foundation events annually to share ideas, learn and collaborate. Filter events by name or topic Filter by Event Category All Categories Academy Software Foundation Events (2) AI Events (6) Automotive Grade Linux Events (4) Data & Storage Events (1) Embedded & IoT Events (5) Emerging Technology Events (1) Financial Services Events (3) High Performance Computing Events (1) Interactive Computing & Data Science Events (2) KubeCon + CloudNativeCon + other CNCF Events (24) Leadership & Community Events (2) Linux Dev Events (3) Open Source Summit Events (5) OpenSSF Events (1) Web Development/Platform Events (3) Filter by Country All Countries Asia Pacific (13) China (2) India (4) Japan (6) South Korea (1) Europe (33) Croatia (1) Czechia (5) France (1) Germany (6) Italy (1) Netherlands (17) Spain (1) United Kingdom (1) England (1) North America (19) Canada (1) United States (18) TBA (1) Reset LF Decentralized Trust Member Summit Jan 28–29, 2026 Jersey City, United States Celebrating 10 years of our community at the Linux Foundation! Member summit is our annual members-only event to direct the activities of our community for the next year. This gathering brings together all community stakeholders to learn and collaborate across both technical and business topics. Register PyTorch Day India Feb 7, 2026 Bengaluru, India Join PyTorch Day India 2025, hosted by the PyTorch Foundation—a pivotal event for community-driven learning, networking, and open-source AI innovation. Register Summit on Human Agency Feb 23, 2026 Napa, United States The Summit on Human Agency is an invite-only convening of cross-industry leaders exploring how privacy-preserving, non-biometric credentials can securely connect human trust networks to the emerging economy of AI agents—unlocking a new, human-led intention economy. Register Schedule The Linux Foundation Member Summit Feb 24–25, 2026 Napa, United States Where LF members convene to drive digital transformation with open source technologies and learn how to collaboratively manage the largest shared technology investment of our time. Register Sponsor Jupyter Workshop: Roadmap Workshop for JupyterHub and Binder Feb 25–26, 2026 Berkely, United States and Virtual Building on JupyterHub community work, this workshop unites maintainers, deployers, and stakeholders to set a global roadmap and strengthen collaboration. Register Jupyter Workshop: Roadmap Workshop for JupyterHub and Binder Feb 25–26, 2026 Köln, Germany and Virtual Building on JupyterHub community work, this workshop unites maintainers, deployers, and stakeholders to set a global roadmap and strengthen collaboration. Learn more Open Source Forum Feb 26, 2026 Los Angeles, United States and Virtual Academy Software Foundation’s (ASWF) annual event brings together leaders from the motion picture and media industries to collaborate and discuss the future of open-source software. Register Sponsor Videos AGL at embedded world Mar 10–12, 2026 Nuremberg, Germany Automotive Grade Linux (AGL) is a collaborative open source project that is accelerating the development of a fully open software platform for automotive applications exhibiting at Embedded World 2026 to highlight members and the broader AGL ecosystem. Learn more RISC-V at embedded world Mar 10–12, 2026 Nuremberg, Germany RISC-V is an open standard Instruction Set Architecture (ISA) exhibiting at embedded world 2026 to highlight the innovations of the RISC-V member ecosystem Sponsor Zephyr at embedded world Mar 10–12, 2026 Nuremberg, Germany Visit The Zephyr® Project and various members at embedded world 2026 as we showcase the best-in-class RTOS for connected resource-constrained devices. Learn more HPSF Conference Mar 16–20, 2026 Chicago, United States HPSF Conference hosted by the High Performance Software Foundation (HPSF) where the brightest minds in high performance software come together. Register Speak Sponsor Videos OpenSearchCon China Mar 17–18, 2026 Shanghai, China The annual conference uniting the community. Users, admins, and developers connect, solve real-world problems, & explore the future of search. Register Speak Sponsor Agentics Day: MCP + Agents Europe Mar 23, 2026 Amsterdam, Netherlands Agentics Day: MCP + Agents is a community event focused on the Model Context Protocol (MCP)—the emerging standard linking AI models with tools, data, and workflows. Explore real-world uses, best practices, and what’s next. Register Sponsor Schedule ArgoCon Europe Mar 23, 2026 Amsterdam, Netherlands ArgoCon is designed to foster collaboration, discussion, and knowledge sharing on the Argo Project, which consists of four projects: Argo CD, Argo Workflows, Argo Rollouts and Argo Events. Register Sponsor Schedule BackstageCon Europe Mar 23, 2026 Amsterdam, Netherlands At BackstageCon, we’ll provide a vendor-neutral space for collaboration and learning centered on improving developer experience and effectiveness through open source technologies. Register Sponsor Schedule CiliumCon Europe Mar 23, 2026 Amsterdam, Netherlands Dive deep into the world of high-performance networking, transparent security, and scalable observability at CiliumCon. Register Sponsor Schedule Cloud Native AI + Kubeflow Day Europe Mar 23, 2026 Amsterdam, Netherlands Join the Kubeflow community to explore real-world AI/ML solutions, tools, and insights. Learn, connect, and shape the future of cloud-native AI. Register Sponsor Schedule Cloud Native Telco Day Europe Mar 23, 2026 Amsterdam, Netherlands Cloud Native Telco Day unites telecom, vendors & cloud providers to explore CNCF tech, share lessons, and drive synergy between networking & cloud. Register Sponsor Schedule FluxCon Europe Mar 23, 2026 Amsterdam, Netherlands FluxCon brings together Flux users, contributors, and adopters to share GitOps best practices, success stories, and technical insights on continuous delivery. Register Sponsor Schedule KeycloakCon Europe Mar 23, 2026 Amsterdam, Netherlands KeycloakCon is a one-day event for the Keycloak community with talks, updates, real-world use cases, and networking with developers, experts, and fellow users. Register Sponsor Schedule KubeCon + CloudNativeCon Europe Mar 23–26, 2026 Amsterdam, Netherlands The Cloud Native Computing Foundation’s flagship conference gathers adopters and technologists from leading open source and cloud native communities in Amsterdam, The Netherlands from 23-26 March, 2026. Join our CNCF Graduated and Incubating Projects as the community gathers for four days to further the education and advancement of cloud native computing. Register Sponsor Schedule Videos Kubernetes on Edge Day Europe Mar 23, 2026 Amsterdam, Netherlands Kubernetes on Edge Day invites developers and adopters from across the entire cloud native ecosystem to come together and share their insights and experiences in constructing, enhancing, and improving their edge infrastructure. Register Sponsor Schedule KyvernoCon Europe Mar 23, 2026 Amsterdam, Netherlands KyvernoCon is a half-day event for cloud-native pros to explore Kyverno, Policy as Code, real-world use cases, automation, and integrations. Register Sponsor Schedule Observability Day Europe Mar 23, 2026 Amsterdam, Netherlands Observability Day unites the cloud-native community to share insights, tools, and best practices for tackling observability with projects like Prometheus and OTel. Register Sponsor Schedule Open Source SecurityCon Europe Mar 23, 2026 Amsterdam, Netherlands A 1-day event uniting developers, security leaders & open source experts to tackle cloud native security, supply chain, identity, policy & modern security challenges. Register Sponsor Schedule Open Sovereign Cloud Day Europe Mar 23, 2026 Amsterdam, Netherlands Open Sovereign Cloud Day unites cloud native practitioners and public/private stakeholders to explore how open source cloud technologies enable digital sovereignty and resiliency. Register Speak Sponsor OpenTofu Day Europe Mar 23, 2026 Amsterdam, Netherlands Join us for OpenTofu Day 2026—a full day for the IaC community featuring migrations, deep dives, panels, and new use cases. Connect, learn, and contribute. Register Sponsor Schedule Platform Engineering Day Europe Mar 23, 2026 Amsterdam, Netherlands Discover real-world strategies for building Internal Developer Platforms. Learn from case studies and expert insights to improve DevEx through holistic, socio-technical practices. Register Sponsor Schedule WasmCon Europe Mar 23, 2026 Amsterdam, Netherlands WasmCon connects developers and experts to explore WebAssembly through sessions, workshops, and networking focused on performance, security, and real-world use. Register Sponsor Schedule MCP Dev Summit North America Apr 2–3, 2026 New York, United States MCP Dev Summit North America is the premier gathering for builders, contributors, and organizations advancing AI development with the Model Context Protocol (MCP). This year’s summit brings together MCP co-founders, contributors, and developers to explore the latest innovations, share best practices, and showcase the next generation of AI agents built on MCP. Register Speak Sponsor Videos Open Source in Finance Forum Toronto Apr 14, 2026 Toronto, Canada The premier event connecting leaders in financial services, while spotlighting groundbreaking advancements, delivering insights on best practices, and offering exclusive access to the leaders shaping open source in finance. Register Speak Sponsor OpenSearchCon Europe Apr 16–17, 2026 Prague, Czechia OpenSearchCon is the annual conference that brings the OpenSearch community together to learn, connect, and collaborate. Users, administrators, and developers attend to explore solutions to real-world problems, network with peers, and explore the future of search, observability, and security applications. Register Speak Sponsor Videos Overture Member Summit Apr 21–23, 2026 Florence, Italy Overture Member Summit is where our members come together to exchange ideas, build connections, and drive Overture’s mission forward. Register Linux Storage, Filesystem, MM & BPF Summit May 4–6, 2026 Zagreb, Croatia The Linux Storage, Filesystem, Memory Management & BPF Summit gathers the foremost development and research experts and kernel subsystem maintainers to map out and implement improvements to the Linux filesystem, storage, and memory management subsystems that will find their way into the mainline kernel and Linux distributions in the next 24-48 months. Sponsor AGL All Member Meeting Japan May 13–14, 2026 Tokyo, Japan Automotive Grade Linux (AGL) is a collaborative open source project that is accelerating the development of a fully open software platform for automotive applications exhibiting at AGL’s All Member Summit 2026 to highlight members and the broader AGL ecosystem. Register Speak Sponsor Videos Embedded Linux Conference North America May 18–20, 2026 Minneapolis, United States Embedded Linux Conference (ELC) has been the premier, vendor-neutral technical conference for companies and developers using Linux in embedded products since 2005. The event brings together user-space developers, system architects, and industry experts to collaborate, exchange knowledge, and advance solutions for embedded systems, connected devices, and industrial IoT. Speak Sponsor Open Source Summit North America May 18–20, 2026 Minneapolis, United States The premier conference for open source developers, technologists and community leaders to collaborate, share information and learn, furthering open source innovation and ensuring a sustainable open source ecosystem. Speak Sponsor Videos Linux Security Summit North America May 21–22, 2026 Minneapolis, United States A technical forum for collaboration between Linux developers, researchers, and end users aiming to foster community efforts in analyzing and solving Linux security challenges. Videos Observability Summit North America May 21–22, 2026 Minneapolis, United States Observability Summit will bring the observability community together to collaborate, learn, and advance open source observability tools and practices. Register Speak Sponsor OpenSSF Community Day North America May 21, 2026 Minneapolis, United States OpenSSF Community Days unite the open source security community to collaborate on securing OSS development, maintenance, and consumption in a regional, innovative setting. Speak Sponsor Videos OpenSearchCon India Jun 15–16, 2026 Mumbai, India OpenSearchCon is the annual conference that brings the OpenSearch community together to learn, connect, and collaborate. Users, administrators, and developers attend to explore solutions to real-world problems, network with peers, and explore the future of search, observability, and security applications. Register Sponsor Open Source Summit India Jun 16–17, 2026 Mumbai, India Join us for the premier vendor-neutral open source conference in India, where developers and technologists come together to collaborate, share knowledge, and explore the latest innovations and advancements in open source technology. Sponsor Videos KubeCon + CloudNativeCon India Jun 18–19, 2026 Mumbai, India The Cloud Native Computing Foundation’s flagship conference brings together adopters and technologists from leading open source and cloud native communities in Mumbai, India, from 18-19 June, 2026. Be a part of the conversation as CNCF Graduated, Incubating, and Sandbox Projects unite for four days of collaboration, learning, and innovation to drive the future of cloud native computing. Register Speak Sponsor Open Source in Finance Forum London Jun 25, 2026 London, England The premier event connecting leaders in financial services, while spotlighting groundbreaking advancements, delivering insights on best practices, and offering exclusive access to the leaders shaping open source in finance. Sponsor Videos Open Source Days Jul 19, 2026 Los Angeles, United States and Virtual Open Source Days, hosted by Academy Software Foundation, is the leading event dedicated to open source software for visual effects, animation and digital content creation. Videos KubeCon + CloudNativeCon Japan Jul 29–30, 2026 Yokohama, Japan The Cloud Native Computing Foundation’s flagship conference brings together adopters and technologists from leading open source and cloud native communities. Be a part of the conversation as CNCF Graduated, Incubating, and Sandbox Projects unite for four days of collaboration, learning, and innovation to drive the future of cloud native computing. Register Sponsor KubeCon + CloudNativeCon + OpenInfra Summit + PyTorch Conference China Sep 8–9, 2026 Shanghai, China KubeCon + CloudNativeCon + OpenInfra Summit + PyTorch Conference China 2026 will bring together the OpenInfra, cloud native, and AI communities in Shanghai, China. Over two days, CNCF Projects, OpenInfra and PyTorch communities will collaborate across dozens of open technologies—including three of the most active open source projects in the world: Kubernetes, OpenStack, and PyTorch—to help shape the future of open source software and technology as a whole. Sponsor LF Energy Summit Europe Sep 15–16, 2026 Berlin, Germany This summit will gather the LF Energy community including electric utilities, technology vendors, global energy companies, researchers, and other industry stakeholders to learn about LF Energy and its projects, collaborate, and share best practices. Sponsor Videos Automotive Grade Linux All Member Meeting Europe Sep 30–Oct 1, 2026 Berlin, Germany Automotive Grade Linux (AGL) is a collaborative open source project that is accelerating the development of a fully open software platform for automotive applications exhibiting at AGL’s AMM Summer 2025 to highlight members and the broader AGL ecosystem. Sponsor Videos Linux Plumbers Conference Oct 5–7, 2026 Prague, Czechia and Virtual The Linux Plumbers Conference is the premier event for developers working at all levels of the plumbing layer and beyond. Learn more Embedded Linux Conference Europe Oct 7–9, 2026 Prague, Czechia Embedded Linux Conference (ELC) has been the premier, vendor-neutral technical conference for companies and developers using Linux in embedded products since 2005. The event brings together user-space developers, system architects, and industry experts to collaborate, exchange knowledge, and advance solutions for embedded systems, connected devices, and industrial IoT. Sponsor Open Source Summit Europe Oct 7–9, 2026 Prague, Czechia The premier vendor-neutral conference in Europe for open source developers and technologists to collaborate, share information and learn about the latest technologies and innovations across open source. Sponsor Videos Linux Security Summit Europe Oct 8, 2026 Prague, Czechia A technical forum for collaboration between Linux developers, researchers, and end users aiming to foster community efforts in analyzing and solving Linux security challenges. Videos PyTorch Conference 2026 Oct 20–21, 2026 San Jose, United States The premier event driving the future of open source AI - bringing together pioneers, researchers, and developers to shape what’s next. Sponsor Videos Open Source in Finance Forum New York Nov 4–5, 2026 New York, United States The premier event connecting leaders in financial services, while spotlighting groundbreaking advancements, delivering insights on best practices, and offering exclusive access to the leaders shaping open source in finance. Sponsor Videos KubeCon + CloudNativeCon North America 2026 Nov 9–12, 2026 Salt Lake City, United States The Cloud Native Computing Foundation’s flagship conference gathers adopters and technologists from leading open source and cloud native communities in Salt Lake City, Utah from November 9-12, 2026. Join our CNCF Graduated and Incubating Projects as the community gathers for four days to further the education and advancement of cloud native computing. Sponsor Videos Automotive Linux Summit Dec 7–9, 2026 Tokyo, Japan Gathering attendees annually from the global companies leading and accelerating the development and adoption of a fully open software stack for the connected car. Sponsor Videos Embedded Linux Conference Asia Dec 7–9, 2026 Tokyo, Japan Embedded Linux Conference (ELC) has been the premier, vendor-neutral technical conference for companies and developers using Linux in embedded products since 2005. The event brings together user-space developers, system architects, and industry experts to collaborate, exchange knowledge, and advance solutions for embedded systems, connected devices, and industrial IoT. Sponsor Open Source Summit Japan Dec 7–9, 2026 Tokyo, Japan The premier vendor-neutral open source conference in Japan for developers and technologists to collaborate, share information and learn about the latest technologies and innovations across open source. Sponsor Videos Open Compliance Summit Dec 10–11, 2026 Tokyo, Japan An exclusive, annual event for Linux Foundation members and select invitees that provides an excellent opportunity for organizations to share knowledge around open source compliance. Sponsor KubeCon + CloudNativeCon Europe 2027 Mar 15–18, 2027 Barcelona, Spain The Cloud Native Computing Foundation’s flagship conference gathers adopters and technologists from leading open source and cloud native communities in Barcelona, Spain from 15-18 March, 2027. Join our CNCF Graduated and Incubating Projects as the community gathers for four days to further the education and advancement of cloud native computing. Videos PyTorch Conference 2027 Oct 6–7, 2027 San Jose, United States Where AI leaders, builders, and innovators connect to push the boundaries of open source AI and create the future together. Videos KubeCon + CloudNativeCon North America 2027 Nov 8–11, 2027 New Orleans, United States The Cloud Native Computing Foundation’s flagship conference gathers adopters and technologists from leading open source and cloud native communities in New Orleans, Louisiana from November 8-11, 2027. Be a part of the conversation as CNCF Graduated, Incubating, and Sandbox Projects unite for four days of collaboration, learning, and innovation to drive the future of cloud native computing. Learn more Jupyter Workshops TBA TBA Jupyter Workshops are focused events that gather contributors to advance the Jupyter ecosystem through collaboration, shared goals, and hands-on work. Learn more Open Source Summit Korea TBA Seoul, South Korea Join us for the vendor-neutral open source conference in Korea, where developers and technologists come together to collaborate, share knowledge, and explore the latest innovations and advancements in open source technology. Sponsor Videos PyTorch Conference Europe TBA Paris, France Join top-tier researchers, developers, and academics for a deep dive into PyTorch, the cutting-edge open-source machine learning framework. Videos Search Our Events Calendar (all upcoming & past events) Latest News The Linux Foundation Announces Keynote Speakers for Open Source Summit India 2025 July 9, 2025 The Linux Foundation Announces Schedule for Open Source Summit North America 2025 April 3, 2025 The Linux Foundation Announces Schedule for Open Source Summit Europe 2024 June 13, 2024 WasmCon 2024 Moving to November 11 & 12, co-locating with KubeCon + CloudNativeCon North America in Salt Lake. May 1, 2024 The Linux Foundation Releases Conference Schedule for Open Source Summit North America 2024 February 20, 2024 More News… Community Events MCP Connect Day Feb 5, 2026 KCD New Delhi 2026 Feb 21, 2026 | TBD, India KCD Guadalajara 2026 Feb 28, 2026 | Zapopan, Mexico LF Live Webinar: AI Runs on Open Source and Real Humans: Why You Need Linux and Cloud Native Skills to Power AI at Scale Mar 11, 2026 | Virtual KCD Beijing 2026 Mar 21, 2026 | Beijing, China KCD Panama 2026 Apr 20–22, 2026 | Panamá, Panama KCD Toronto Canada 2026 May 13, 2026 | Toronto, Canada KCD Texas 2026 May 15, 2026 | Austin, United States KCD Kuala Lumpur 2026 Jun 27, 2026 | Kuala Lumpur, Malaysia More Community Events… Join the Linux Foundation mailing list to hear about the latest events, news & more By submitting this form, I consent to receive marketing emails from the LF and its projects regarding their events, training, research, developments, and related announcements. I understand that I can unsubscribe at any time using the links in the footers of the emails I receive. Privacy Policy . Copyright © 2026 The Linux Foundation®. All rights reserved. The Linux Foundation has registered trademarks and uses trademarks. For a list of trademarks of The Linux Foundation, please see our Trademark Usage page. Linux is a registered trademark of Linus Torvalds. Terms of Use | Privacy Policy | Bylaws | Antitrust Policy | Good Standing Policy . | 2026-01-13T08:48:24 |
https://nutrify.app/nutrify-1.2.3.html | Nutrify 1.2.3 - 500+ foods in your pocket Homepage Introducing Nutrify 1.2.3: Whole Food Streaks, Widgets, Quick Summaries and 41 New Foods 4 Nov 2024 Nutrify version 1.2.3 is here! What's Nutrify? Nutrify is a food scanning and education app focused on whole foods. This update takes the total possible foods Nutrify can identify with the camera to over 500! This update also includes a new Whole Food Streak view in the Summary tab, home screen widgets, and quick summaries in the Saved view. Short Version Start a healthy eating habit with Whole Food Streaks. Get a quick nutrition summary of recent foods in the Saved view. Identify and get verified nutrition information for 41 new foods. Longer Version Keep the whole food streak going The saying goes, "An apple a day..." It should really be, "A collection of whole foods a day..." Because one of the best ways to stay healthy is to maintain good habits over time. And at Nutrify, we believe eating more whole foods is one of the healthiest habits there is. 95% whole foods (or even more if you can), 5% other. To help create and support healthy habits, we're introducing the Streak view in the Summary tab. Nutrify will keep track of how many days in a row you've eaten whole foods. Whether it's 21 days to build a habit or 66 or 7, when it comes to health, the long-term trend is what matters. You can also get an overview of your whole food streak with the new Streak widgets on the home screen. Left: The new Whole Food Streak counter in the Summary tab. Right: How to set a Streaks widget on the homescreen. 500+ foods in your pocket 41 new foods have been added to the Nutridex, including Iced Coffee (with milk), Beef Jerky, Cashew Butter, Pad Thai and many more. All are instantly identifiable with the Nutrify camera, even offline, thanks to on-device machine learning models. The 41 new foods available in Nutrify 1.2.3, designed by Grace Lee. Let us know if we're missing any so we can include them in a future update! By the numbers Want to know the macronutrient breakdown of your breakfast? Or how much protein was in your lunch? By selecting a group of food photos in the Saved tab, you can press Summary to get a quick nutrition overview. Now you can see not only the nutritional content of individual foods but also their combined totals. Get a quick nutrition summary of any combination of foods in the Saved view. Questions, suggestions and feedback Have any questions about this update, suggestions for future updates or ideas for what foods we should add next? Feel free to reach out to us at [email protected] (Daniel or Josh will reply)! Download Nutrify on the App Store Nutrify Homepage @nutrifyfoodapp on Instagram / TikTok / X Credit roll Nutrition data is curated and FoodVision AI computer vision models are trained by Daniel Bourke. All iOS interfaces are designed and built by Joshua Bourke. Food image data is collected and labelled by Joseph Drury, Samuel Bourke and Daniel Bourke. Food icons are designed and created by Grace Lee. × | 2026-01-13T08:48:24 |
https://www.suprsend.com/comparison-page/ooma-vs-gupshup-2024 | Comparing the Top Messaging Platforms (2025) Product FEATURES Template Engine Powerful template editors for all channels App Inbox Fully customizable inbox for your app & website Analytics Deep data insights on notification performance Logs Real-time notifications logs for all channels Smart Routing Reach users where they are Branding Seamlessly manage multi-brand customization Workflows Craft complex notification workflows Bifrost Run notifications natively on data warehouse Preferences Develop user focused notifications Integrations Integrate any channel and provider within mins Solutions BY USECASES Transactional Real-time alerts like authentication, activity updates Batching & Digest Aggregate multiple alerts into one Collaboration & Action Alerts on cross-user activity Scheduled Notifications One-time or recurring alerts like reminders Multi-tenant Alerts tailored to your customer's preferences Announcement / Newsletters Feature releases, achievements, product & policy updates Pricing Docs Customers Blog Login Get Started For Free Login Sign up Email management Comparing the Top Messaging Platforms (2025) Nikita Navral • December 2, 2025 TABLE OF CONTENTS Businesses rely on cloud communications platforms to power SMS alerts, authentication flows, customer engagement, and global voice calling. With so many options available, it’s important to understand how the major players differ in capabilities, pricing, and security. Below is a clear comparison of RingCentral, MessageBird, Plivo, Karix, Twilio, Sinch, Exotel, Telnyx, Ooma, Bandwidth, Gupshup, Vonage, and Amazon SNS - with key features, cost, and security included for each. Twilio Key Features: SMS/MMS, voice, WhatsApp, chat, email (SendGrid), video, global phone numbers, user authentication. Cost: Pay-as-you-go. US SMS ~ $0.0079 outbound; voice outbound ~ $0.014/min. SendGrid email plans start at $19.95/month. Security: HTTPS APIs, API key authentication, enterprise-grade controls depending on product. MessageBird (Bird) Key Features: SMS, WhatsApp, email, voice, multichannel inbox, 2FA/verify, omnichannel automation. Cost: US SMS ~ $0.008/message; WhatsApp from ~$0.005/message; dedicated numbers from ~$0.50/month. Security: ISO/IEC 27001:2013, SOC 2 Type II, GDPR-aligned, regulated under Dutch telecommunications authority. Plivo Key Features: SMS, MMS, voice APIs, WhatsApp, user verification APIs, Fraud Shield protection. Cost: US SMS ~ $0.0055/message; MMS ~ $0.018/message; plans also available starting around $25/month. Security: Fraud Shield for SMS fraud, standard API security, compliance frameworks appropriate for telecom workflows. Sinch Key Features: Global messaging, voice APIs, phone number provisioning, enterprise conversational tools, in-app voice/video SDKs. Cost: Pay-as-you-go; pricing varies by region and channel. Security: Enterprise security posture; used widely by large regulated businesses. RingCentral Key Features: Enterprise UCaaS and CCaaS — voice, video, messaging, contact center, team collaboration. Cost: Subscription-based; varies by seat and plan tier. Security: 99.999% uptime SLA, enterprise compliance standards, secure global network. Vonage Key Features: Business phone systems, unified communications, plus APIs for voice, SMS, video, messaging. Cost: Varies by product; SMS and voice pricing similar to other CPaaS players. Security: Industry-standard certifications (ISO 27001, HIPAA support in certain offerings). Bandwidth Key Features: Voice, messaging, emergency services APIs built on its own carrier network. Cost: Usage-based; typically competitive because Bandwidth owns telecom infrastructure. Security: Strong network-level security due to owning carrier backbone; enterprise-grade controls. Telnyx Key Features: Programmable voice, SMS, SIP trunking, wireless IoT, phone numbers; operates its own global private network. Cost: Generally lower than Twilio in many regions; usage-based for SMS/voice. Security: Private global network architecture, encrypted communications, strong compliance posture. Karix Key Features: SMS, voice, WhatsApp, and multichannel messaging, with strong performance in India/APAC. Cost: Pricing varies by region and volume; typically optimized for India and emerging markets. Security: Regional telecom compliance; enterprise messaging security standards. Exotel Key Features: Cloud telephony, IVR, virtual numbers, call routing, contact-center tools, SMS, WhatsApp. Cost: Region-based pricing; popular for cost-effective India/SEA deployments. Security: Telecom-grade compliance in India, SEA, and Middle East markets. Gupshup Key Features: SMS, WhatsApp, RCS, conversational messaging, bot frameworks, commerce and marketing flows. Cost: Pricing varies by channel and country; optimized for India, LATAM, and emerging markets. Security: Regional compliance and enterprise-grade security for messaging workflows. Ooma Key Features: SMB VoIP phone systems, virtual receptionist, call routing, basic business telephony. Cost: Subscription-based; lower-cost than enterprise UCaaS providers. Security: Standard SMB business-telephony protections; not CPaaS-level programmability. Amazon SNS Key Features: Pub/Sub messaging, SMS notifications, push notifications, email; part of AWS event-driven architecture. Cost: Pay-as-you-go based on notifications sent; AWS regional SMS pricing applies. Security: Inherits AWS IAM, encryption, compliance, monitoring, and infrastructure security. Which Platform Fits Which Use Case? If you want developer APIs to build custom communication flows: Twilio, Plivo, Telnyx, Bandwidth. If you need enterprise communication suites for internal teams: RingCentral, Vonage, Ooma for SMBs. If global omnichannel messaging is key: MessageBird, Sinch, Gupshup, Karix, Exotel. If you’re on AWS and only need notifications: Amazon SNS. Conclusion Each provider has unique strengths: some excel at global messaging, others at enterprise unified communications, others at developer-centric programmability. Understanding key features, pricing, and security posture helps narrow down the best fit for your product, geography, and scale. Share this blog on: Written by: Nikita Navral Co-Founder, SuprSend Implement a powerful stack for your notifications Get Started For Free Book Demo Company About us Signup Login Integrations Pricing Security Privacy Terms Contact Us Support SuprSend for Startups API Status Sign Up Channels Email SMS Notification Inbox Android Push iOS Push Web Push Xiaomi Push Whatsapp SDK Python SDK Node.js SDK Java SDK Android SDK React Native SDK iOS SDK Flutter SDK Go SDK Resources Documentation Changelog Blogs Write for us SMTP Error Codes SMS Providers Comparisons Email Providers Comparisons SMS Providers Alternatives Join us on Slack We are building a community of developers and product builders from across the globe to make notifications a pleasant experience. © 2025 All rights reserved. SuprStack Inc. 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 Get 10% OFF on your next order Subscribe to our newsletter and receive a 10% OFF coupon to use on your next order. Please check your email for your 10% OFF coupon Oops! Something went wrong while submitting the form. | 2026-01-13T08:48:24 |
https://docs.microsoft.com/en-us/dotnet/spark/tutorials/batch-processing | Batch processing with .NET for Apache Spark tutorial | Microsoft Learn Skip to main content Skip to Ask Learn chat experience This browser is no longer supported. Upgrade to Microsoft Edge to take advantage of the latest features, security updates, and technical support. Download Microsoft Edge More info about Internet Explorer and Microsoft Edge Table of contents Exit editor mode Ask Learn Ask Learn Focus mode Table of contents Read in English Add Add to plan Share via Facebook x.com LinkedIn Email Print Note Access to this page requires authorization. You can try signing in or changing directories . Access to this page requires authorization. You can try changing directories . Tutorial: Do batch processing with .NET for Apache Spark Feedback Summarize this article for me In this article In this tutorial, you learn how to do batch processing using .NET for Apache Spark. Batch processing is the transformation of data at rest, meaning that the source data has already been loaded into data storage. Batch processing is generally performed over large, flat datasets that need to be prepared for further analysis. Log processing and data warehousing are common batch processing scenarios. In this scenario, you analyze information about GitHub projects, such as the number of time different projects have been forked or how recently projects have been updated. In this tutorial, you learn how to: Create and run a .NET for Apache Spark application Read data into a DataFrame and prepare it for analysis Process the data using Spark SQL Warning .NET for Apache Spark targets an out-of-support version of .NET (.NET Core 3.1). For more information, see the .NET Support Policy . Prerequisites If this is your first time using .NET for Apache Spark, check out the Get started with .NET for Apache Spark tutorial to learn how to prepare your environment and run your first .NET for Apache Spark application. Download the sample data GHTorrent monitors all public GitHub events, such as info about projects, commits, and watchers, and stores the events and their structure in databases. Data collected over different time periods is available as downloadable archives. Because the dump files are very large, this guide uses a truncated version of the dump file that can be downloaded from GitHub. Note The GHTorrent dataset is distributed under a dual licensing scheme ( Creative Commons + ). For non-commercial uses (including, but not limited to, educational, research or personal uses), the dataset is distributed under the CC-BY-SA license . Create a console application In your command prompt, run the following commands to create a new console application: dotnet new console -o mySparkBatchApp cd mySparkBatchApp The dotnet command creates a new application of type console for you. The -o parameter creates a directory named mySparkBatchApp where your app is stored and populates it with the required files. The cd mySparkBatchApp command changes the directory to the app directory you just created. To use .NET for Apache Spark in an app, install the Microsoft.Spark package. In your console, run the following command: dotnet add package Microsoft.Spark Create a SparkSession Add the following additional using statements to the top of the Program.cs file in mySparkBatchApp . using System; using Microsoft.Spark.Sql; using static Microsoft.Spark.Sql.Functions; Add the following code to your project namespace. s_referenceData is used later in the program to filter based on date. static readonly DateTime s_referenceDate = new DateTime(2015, 10, 20); Add the following code inside your Main method to establish a new SparkSession. The SparkSession is the entry point to programming Spark with the Dataset and DataFrame API. By calling the spark object, you can access Spark and DataFrame functionality throughout your program. SparkSession spark = SparkSession .Builder() .AppName("GitHub and Spark Batch") .GetOrCreate(); Prepare the data Read the input file into a DataFrame , which is a distributed collection of data organized into named columns. You can set the columns for your data through Schema . Use the Show method to display the data in your DataFrame. Be sure to update the CSV file path to the location of the GitHub data you downloaded. DataFrame projectsDf = spark .Read() .Schema("id INT, url STRING, owner_id INT, " + "name STRING, descriptor STRING, language STRING, " + "created_at STRING, forked_from INT, deleted STRING," + "updated_at STRING") .Csv("filepath"); projectsDf.Show(); Use the Na method to drop rows with NA (null) values, and the Drop method to remove certain columns from your data. This helps prevent errors if you try to analyze null data or columns that are not relevant to your final analysis. // Drop any rows with NA values DataFrameNaFunctions dropEmptyProjects = projectsDf.Na(); DataFrame cleanedProjects = dropEmptyProjects.Drop("any"); // Remove unnecessary columns cleanedProjects = cleanedProjects.Drop("id", "url", "owner_id"); cleanedProjects.Show(); Analyze the data Spark SQL allows you to make SQL calls on your data. It's common to combine user-defined functions and Spark SQL to apply a user-defined function to all rows of your DataFrame. You can specifically call spark.Sql to mimic standard SQL calls seen in other types of apps. You can also call methods like GroupBy and Agg to specifically combine, filter, and perform calculations on your data. The goal of this app is to gain some insights about the GitHub projects data. Add the following code snippets to your program to analyze the data. Add the following block of code finds the number of times each language has been forked. First, the data is grouped by language. Then, the average number of forks from each language is taken. // Average number of times each language has been forked DataFrame groupedDF = cleanedProjects .GroupBy("language") .Agg(Avg(cleanedProjects["forked_from"])); Add the following block of code to order the average number of forks in descending order to see which languages are the most forked. That is, the largest number of forks will appear first. // Sort by most forked languages first groupedDF.OrderBy(Desc("avg(forked_from)")).Show(); The next block of code shows you how recently projects have been updated. You register a new user-defined function called MyUDF and compare it with a date, s_referenceDate , which was declared at the beginning of the tutorial. The date for each project is compared against the reference date. Then, Spark SQL is used to call the UDF on each row of the data to analyze each project in the data set. spark.Udf().Register<string, bool>( "MyUDF", (date) => DateTime.TryParse(date, out DateTime convertedDate) && (convertedDate > s_referenceDate)); cleanedProjects.CreateOrReplaceTempView("dateView"); DataFrame dateDf = spark.Sql( "SELECT *, MyUDF(dateView.updated_at) AS datebefore FROM dateView"); dateDf.Show(); Call spark.Stop() to end the SparkSession. Use spark-submit to run your app Use the following command to build your .NET app: dotnet build Run your app with spark-submit . Be sure to update the following command with the actual paths to your Microsoft Spark jar file. spark-submit --class org.apache.spark.deploy.dotnet.DotnetRunner --master local /<path>/to/microsoft-spark-<spark_majorversion-spark_minorversion>_<scala_majorversion.scala_minorversion>-<spark_dotnet_version>.jar dotnet /<path>/to/netcoreapp<version>/mySparkBatchApp.dll Get the code You can see the full solution on GitHub. Next steps Advance to the next article to learn how to process streaming data with .NET for Apache Spark. Tutorial: Structured Streaming with .NET for Apache Spark Additional resources Last updated on 2022-12-16 In this article en-us Your Privacy Choices Theme Light Dark High contrast AI Disclaimer Previous Versions Blog Contribute Privacy Terms of Use Trademarks © Microsoft 2026 | 2026-01-13T08:48:24 |
https://www.fine.dev/blog/replit-vs-cursor | Replit vs Cursor vs Fine: Which AI Coding Tool Is Best for You? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Replit vs Cursor vs Fine: Which AI Coding Tool Is Best for You? AI-powered coding tools are gaining traction in the development world, making it easier for developers to write, debug, and manage code. Three of the leading platforms in this space are Fine, Replit, and Cursor, all offering AI-assisted coding features. However, with these advancements come key differences that make each platform more suitable for different types of developers. In this blog, we’ll break down Replit, Cursor, and Fine, examine their similarities and differences, and explain why Fine is the most advanced and comprehensive solution. Table of Contents Introduction to Replit Introduction to Cursor Introduction to Fine Similarities Between Replit, Cursor, and Fine Differences Between Replit, Cursor, and Fine Fine's Unique Features Why Choose Cursor Over Replit Why Choose Replit Over Cursor Why Fine is a Better Choice Before we dive in - take a moment to watch how we used Fine's AI Agent to make changes in our codebase - live, unedited. Introduction to Replit Replit is a browser-based integrated development environment (IDE) which recently released AI-powered features, offering autocomplete, debugging, and documentation generation. Designed to make coding accessible to beginners and professionals alike, Replit provides real-time collaboration capabilities, making it a go-to for team projects or educational purposes. It allows developers to quickly write code, generate tests, and set up APIs without complex configurations. With its broad support for multiple programming languages, Replit is a flexible choice for diverse coding tasks. Introduction to Cursor Cursor is an AI-powered code editor that was built as a fork of the popular IDE, VSCode. It offers advanced code completion, intelligent code refactoring, and natural language editing. Cursor also emphasizes security, with SOC 2 certification, making it suitable for teams that need stringent data privacy. While Cursor can be used as a standalone editor, it is especially valuable for developers already working in an environment like VSCode, allowing them to integrate AI assistance without disrupting their workflow. Similarities Between Replit, Cursor, and Fine Replit, Cursor, and Fine all focus on helping developers streamline their workflow through AI. Here are some key similarities: AI-Assisted Code Generation : All three platforms use AI to generate code based on natural language prompts, significantly reducing the time developers spend writing basic code snippets. Fine goes a step further by taking an issue from Linear, GitHub, or Jira and turning it into a PR. Autocomplete and Debugging : Replit, Cursor, and Fine all offer intelligent code completion and error detection, speeding up the development process and helping developers catch mistakes early. Fine also runs and tests the code it generates, fixing errors automatically. Collaboration Features : While Replit offers real-time collaboration directly in the browser, Cursor is a fork of VSCode. Differences Between Replit, Cursor, and Fine Platform Integration : Replit is a full-fledged online IDE, which means users can start coding directly in the browser without setting up a local environment. Cursor, on the other hand, is more suitable for those who already have a preferred development setup in VSCode and want to remain in that familiar environment. Fine, however, works seamlessly across platforms and integrates directly with tools like GitHub, Linear, and Slack, allowing developers to work wherever they are most comfortable. Collaboration and Ease of Use : Replit’s in-browser environment offers built-in real-time collaboration features, which makes it more accessible for teams or classrooms. Cursor, while collaborative, requires additional configuration for extensions and may be better suited for developers familiar with advanced setups. Fine is designed for teams; you can start a task, another colleague can complete it; you can share previews and console logs; and more. Fine's Unique Features Fine stands out with its unique features designed to enhance the developer experience: AI Agents Fix Their Own Code : Fine runs the code after generating it, identifies errors in the console logs, and offers to fix them automatically. Unlimited Premium LLM Usage : Fine provides unlimited access to leading LLMs like OpenAI's o1 and Claude 3.5 Sonnet, without requiring users to manage their own API keys. Multi-Tasking Capabilities : Fine allows developers to delegate multiple tasks simultaneously, working in the cloud so you can review results at your convenience. Workflow Automation : Fine automates repetitive tasks, saving developers time and effort. One of the most frustrating parts of coding with AI is reviewing the code generated by the LLM, which in some tools is littered with bugs and hallucinations. Fine outperforms Replit, Cursor and other tools with its unique features for the best developer experience: Fine runs the code after generating it and identifies errors in the console logs, offering to fix them itself. Fine commits regularly and allows easy rollbacks to any stage of the conversation Fine creates a new branch for each task, keeping your code safe - and it writes great commit messages Fine offers a clear Line Change Summary and highlights diffs with each commit, so you can keep track of all AI changes Why Choose Cursor Over Replit Security : For developers or teams that require stringent security measures, Cursor’s SOC 1 certification makes it the more reliable choice. Replit holds SOC 2 certification for enterprise customers across most of their platform, but it's not clear if that includes the new AI suite. Integration with Existing Tools : If you are already using VSCode or another local development environment, Cursor’s seamless integration allows you to bring AI assistance to your current workflow without changing your setup, much. Fine doesn't require switching your IDE at all - collaborate with Fine wherever you usually collaborate with teammates. Code Refactoring : Cursor excels in assisting with code refactoring and improving legacy codebases, offering smart suggestions that help maintain code quality over time. Why Choose Replit Over Cursor Fully Integrated IDE : For developers who want an all-in-one solution without the need to install additional software or manage extensions, Replit’s browser-based environment is an excellent choice. It allows you to start coding from anywhere, without the hassle of setup. Beginner-Friendly : Replit’s intuitive interface and extensive documentation make it a great option for beginners or educators. Its easy-to-use collaboration tools also make it ideal for group projects or learning environments. Real-Time Collaboration : Replit shines in team settings, offering a streamlined, real-time collaboration feature that works seamlessly across browsers. This is especially useful for projects where multiple developers need to work together in real-time. Connecting Replit and Cursor According to Twitter users, it's now easy to integrate Replit and Cursor and take advantage of how easy it is to deploy using Replit. The installation is a bit complex but explained here in detail. . You'll need to Generate an SSH Key for Replit in Cursor and add the Public Key to Replit. Then, you copy the Shell ocmmand and past it as a new SSH host in Cursor. Why Fine is a Better Choice While both Replit and Cursor offer compelling features, Fine takes AI-assisted coding a step further by providing advanced automation and a more comprehensive set of tools tailored for development teams. Here’s why Fine is a better alternative: Unlimited Premium LLM Use Fine doesn't limit how much paid subscribers can access OpenAI's o1 or Claude 3.5 Sonnet, the leading LLMs for software development. Many other platforms require the user to provide their own API keys for OpenAI and / or Anthropic and therefore pay by usage on top of the monthly subscription. Perform multiple tasks at the same time Fine works in the cloud, so you can delegate tasks and come back to them later - you don't even need to leave the browser tab open! If you're looking to delegate a number of tasks from your backlog, and come back to review them when you're ready, Fine is the obvious choice. Superior Workflow Automation : Fine’s AI not only assists with code generation and debugging but also automates entire workflows, reducing the time developers spend on repetitive tasks. Pull Request (PR) Summarization : Fine can summarize pull requests and help developers focus on high-level decisions by reviewing code that has already been tested and validated, a feature not available in either Replit or Cursor. Customizable for Teams : Fine is designed to scale with teams, offering powerful tools for collaborative development that integrate seamlessly with existing processes. Its AI can assist in reviewing and improving code, enabling teams to work faster and more efficiently. Full Context Awareness : Fine integrates with GitHub, Linear, Sentry and more, enabling the user to activate the AI wherever they're working and use information on external platforms as context. In conclusion, Replit, Cursor, and Fine each offer solid AI-powered coding solutions with unique strengths. However, Fine stands out as the most advanced and comprehensive option, offering unparalleled features like unlimited LLM usage, multi-tasking capabilities, and superior workflow automation. Whether you are a solo developer or managing a large development team, Fine's AI tools make it the ultimate choice for optimizing your development process. 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:48:24 |
https://ruul.io/blog/freelance-writing-the-myths-vs-reality | Blog | For Freelancers, Creators, and Indie Professionals Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow 13 Best Fiverr Alternatives Freelancers Need to Know Read POPULAR ARTICLES How to Accept Online Payments: A Comprehensive Guide for Businesses and Freelancers Learn how to set up and manage secure online payment systems for your business or freelance work. Discover popular payment methods, integration tips, security measures, and best practices to streamline transactions and boost efficiency. Top 15 Digital Nomad Jobs in 2025 Explore the 15 best digital nomad jobs in 2025, from writing to coding—fully remote, high-paying, and travel-friendly. The Ultimate Best AI Tools for Freelancers: Boosting Productivity in 2025 Discover the ultimate AI tools for freelancers in 2025 to enhance productivity and efficiency. From writing and graphic design to project management, explore top AI tools like ChatGPT, Grammarly, Canva, and more. Start optimizing your freelancing. How to Accept Cryptocurrency Payments Find the methods, benefits, and security considerations for accepting crypto payments. Know how cryptocurrencies can open new opportunities for your business. What to Sell as a Digital Product Want to make money while you sleep? From AI art to ebooks and plugins, here’s what actually sells in 2025 and makes your wallet happy! Best 13 Motivational Apps and Techniques You Need As You Work Solo Lack of motivation as an independent? See these motivation apps and techniques. get paid sell grow work news trends get paid sell grow work news trends How to Make Freelance Money I’ve mapped out the freelance income paths that will stick around until 2030. Shared all the pro tips and details in this post. Come check it out! Introducing MiniPay on Ruul: Faster Stablecoin Payment Ruul & MiniPay now bring instant, stablecoin payments with zero withdrawal fee for freelancers. Create virtual USD/EUR accounts, enjoy fast global transfers, and earn up to $275 in bonuses. Best Freelancing Websites Struggling to pick a freelancing website? These 16 categorized freelancing platforms will save your time, energy, and maybe your sanity! How to Get Paid as a Freelancer Don't let payments ruin your business! We've covered everything from the most important steps to the best methods! Designer's Guide to Dribbble All the potential Dribbble has to offer, and all the areas where it leaves you hanging. This Guide gives you all of that and more. Best Freelance Jobs You're looking for the best freelance jobs AI won't wipe out. Safe, in-demand, future-ready, long-lasting work… you'll find it all right here. MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://www.linkedin.com/signup/cold-join | Sign Up | LinkedIn Make the most of your professional life Join LinkedIn now — it’s free! Not you? Remove photo Join LinkedIn To create a LinkedIn account, you must understand how LinkedIn processes your personal information by selecting learn more for each item listed. Agree to all terms We collect and use personal information. Learn more We share personal information with third parties to provide our services. Learn more Further information is available in our Korea Privacy Addendum . Privacy Policy Addendum 1 of 2 2 of 2 Agree to the term Continue Back Agree to all terms Email Password Show First name Last name Keep me logged in By clicking Agree & Join, you agree to the LinkedIn User Agreement , Privacy Policy , and Cookie Policy . Agree & Join or Looks like you’re using Gmail, sign up faster with Google in one tap. Continue with ( not you? ) or Sign up with credential instead Security verification Already on LinkedIn? Sign in Looking to create a page for a business? Get help LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language | 2026-01-13T08:48:24 |
https://ruul.io/blog/self-employment-tax-deductions-what-to-write-off-on-your-taxes#$%7Bid%7D | Self employment tax deductions: What to write off on your taxes - Ruul Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up get paid Self employment tax deductions: What to write off on your taxes Wondering what tax write-offs you might qualify for this season as a self-employed? Check out this guide to exclusive tax breaks that you can take advantage of. Eran Karaso 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Is self-employment tax deductible? It's not fun to pay taxes, but if you are a freelancer, you are lucky since you can deduct some of your taxes by claiming certain tax deductions. There are exclusive tax breaks for the freelancers that you can take advantage of. Self-employment tax deductions are not rocket science once you understand what expenses are deductible. Check out the following freelancer tax deductions you might qualify for this season. Let’s learn more about the tax write-offs for the self-employed. Self-employment tax deductions list Your home, car, insurance, premium health care insurance, retirement savings, and even your education bills could get you a tax break.There are many profitable tax deductions for self-employed professionals who work for themselves. Here are 5 significant sole proprietorship tax deductions to remember. 1. Insurance Expenses There are many details when we are talking about self-employed health insurance tax deduction. If you are self-employed and pay for your health insurance premiums, you can deduct the insurance costs. You can deduct all of your dental insurance, disability insurance, life insurance costs as well.Suppose you are also providing coverage for your families, like your spouse and your children. In that case, you can deduct the insurances you paid. To understand more, check out the details below. Dental insurance Self-employed workers can deduct 100% of their health insurance premiums, including dental and long-term care coverage, for themselves, their spouses, and their dependents. Disability insurance Unfortunately, self-employed freelancers can’t deduct disability insurance premiums from their taxes. However, they can deduct medical, dental, and long-term care insurance from their taxes. Life insurance/pension As an individual who pays life insurance premiums, your expenses are not deductible on your income tax return. If you have a company and employers and you pay life insurance premiums on behalf of your employees, your expenses may be deductible. 2. Home Office Expenses If you are a self-employed freelancer, your main office is your home even though you work from different co-working spaces or cafes. So this makes your home, your office, and your rent a tax-deductible cost, and you can get a break on the value of your rental or mortgage costs.If you are a self-employed professional, the good news is that you can deduct part of your rent or mortgage. You can also deduct expenses such as your property taxes, maintenance costs, and the cost of utilities.It will help if you start by calculating the percentage of your home's square footage that you use for business-related activities. For example, if your home office takes up 15% of your house's square footage, 15% of your housing expenses for the year may be deductible. Here is the list of deductible costs of your home office.Rent & MortgageBills for utilities (internet and cell phone)SecurityHomeowners insuranceHomeowners association feesGeneral repairs and maintenance 3. Service Expenses Daycare, Childcare, or Caregiver Expenses When you have to put your child into daycare to be free to do your freelance job, the child care expenses are deductible. However, this expense is deductible from your income taxes. Suppose you have children under age 13 or have disabled parents who can't care for themselves. In that case, you are qualified to deduct your childcare or daycare expenses. Travel Expenses You can claim business expenses for vehicle insurance, repairs and servicing, fuel, parking, vehicle license fees, train, bus, air, taxi fares, hotel rooms, and meals on overnight business trips.You cannot claim for non-business driving or travel costs, fines, travel between home and work. Dry cleaning Even though you wear your clothes to work, you can't claim your everyday clothing’s dry cleaning. However, you can claim business expenses for uniforms, protective clothing needed for your work, costumes for actors, or entertainers. Moving expenses Suppose you are self-employed and work from your home and you decided to move to a new house which is at least 40 kilometers away. In that case, you can deduct your moving expenses as a self-employed professional. For more details, you have to check the percentages on your government website. 4. Business Expenses All of the simple expenses which are crucial to run your business are tax-deductible, including training, professional tools, gadgets, legal services, accounting services, subscriptions to business publications. Tools Suppose you want to deduct tool expenses which you invest because of work. In that case, you should consider that the deduction is limited to your total income as a self-employed professional. Training Suppose you get the training to update your professional skills and expertise. In that case, you can deduct your training costs by filing a self-assessment tax return. Bonus: Social Security Tax Deduction If you are a self-employed professional, you must declare your earnings to pay your taxes. If you are operating a business, service or a profession by yourself, you should report your earnings for Social Security and you should file a federal tax return. If you are earning more than $400 in a year, you have to report your income. Self-employed professionals pay 12.4 percent Social Security tax on up to $137,700 of your net earnings and they also have to pay 2.9 percent Medicare tax their net income.First, your net earnings from self-employment should be reduced by half the amount of your total Social Security tax. Second, you should be able to deduct half of the Social Security tax on IRS Form 1040. Self Employment Tax Deductions FAQs What portion of the self-employment tax is deductible? You can deduct 50% of what you pay in self-employment tax as an income. How to calculate the deductible part of self-employment tax? You can deduct 50% of what you pay in self-employment tax as an income. You can check what items are deductible in our list. Is self-employment tax calculated after deductions? You only pay self-employment tax on net earnings, meaning that you can first subtract any deductions. Does QBI deduction reduce self-employment tax? Your self-employment tax cannot be reduced by claiming the QBI deduction. ABOUT THE AUTHOR Eran Karaso Eran Karaso is a marketing and brand strategy leader with more than a decade of experience helping global tech companies connect with their audiences. He’s built brand narratives that stick, led successful go-to-market strategies, and worked hand-in-hand with cross-functional teams to ensure everyone is on the same page. More Designer's Guide to Dribbble All the potential Dribbble has to offer, and all the areas where it leaves you hanging. This Guide gives you all of that and more. Read more Best Dribbble Alternatives for Freelancers Find the best Dribbble alternatives for freelancers in 2025. We review 6 top platforms, comparing their unique features, pricing, and commission fees. Read more How to Price Your Freelance Writing Services Effectively Discover strategies to price your freelance writing services, manage project costs, and set competitive rates. Learn about pricing models and negotiation tips. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://nutrify.app/nutrify-1.2.html | Nutrify 1.2 Homepage Introducing Nutrify 1.2: Calorie and Macronutrient Goals, Breakdowns and 57 New Foods 29 May 2024 30 May 2024 --> Nutrify 1.2 is here! What is Nutrify? Nutrify is a food tracking and education app focused on whole foods. This update brings several helpful features for those who’d like to know what their calorie and macronutrient intakes are per whole food. It also adds a bunch of new whole foods/drinks to the Nutridex! Short Version Premium updates: Set custom calorie and macronutrient goals alongside food-specific and category-specific goals in the Summary tab. Get a breakdown of calorie and macronutrient intake per food/category in the Calories and Macros views. Simple calorie/macronutrient estimation defaults to 1 serving per food photo (this can be changed in the food view). Free updates: 57 new foods in the FoodVision AI model/Nutridex. Longer Version Custom Calorie and Macronutrient Goals (Premium) Nutrify Premium members can now define calorie and macronutrient intake goals and Nutrify will automatically track your progress over time. When starting a goal, you can define your own calorie and macronutrient values or you can use Nutrify to help establish a baseline goal. Nutrify comes with 3 built-in goals: Calorie deficit (for weight loss). Maintenance (for maintaining current weight). Calorie surplus (for gaining weight). Each of these is calculated based on your body characteristics (height, weight, age, gender) as well as your activity level. You’ll also see an informative page describing the what and why behind each calculation and amount ( disclaimer: these amounts are estimates and should be adjusted over time when necessary). Left: The new Summary tab which includes a calorie and macronutrient breakdown for the day. Middle: Setting a custom calorie goal. Right: Example macronutrient nutrient breakdown for the past month. Setting a calorie or macronutrient goal is a great way to understand how your current food intake matches up with your ideal intake. Calorie and Macronutrient Breakdowns (Premium) Nutrify Premium members can also now get a breakdown of your calorie and macronutrient intake per food in the new Calories and Macros views. This is a great way to see what foods contribute to what macronutrient levels. And similarly, how many calories are in a given serving of food. When you identify a food with the Nutrify camera, its default weight is set to 1 serving of that food. For example, the default weight for a red apple is 182g. And the default weight for a rice cake is 9g (one rice cake). These can be easily adjusted in the food view. Left: Calorie breakdown per food for a given day. Middle: Calorie breakdown for various food categories across the past week. Right: Example weight field for a food view, this defaults to the average weight for one serving of a food but is easily adjustable. 57 new foods and icons in the Nutridex (Free) Nutrify’s FoodVision AI/Nutridex has been upgraded with 57 new foods including anchovies, horned cucumber, protein balls, lion's mane mushroom, turkey breast and many more. For each new food you'll find a brand new custom-designed icon and verified nutrition information. This brings the total foods Nutrify can recognize to over 470! The Visual Food Diary as well as Nutridex continues to be free to use for unlimited photos. So don’t forget to ask your friends, What’s your Nutridex at? The 57 new foods available in Nutrify 1.2, designed by Grace Lee. Let us know if we're missing any so we can include them in a future update! Questions, suggestions and feedback Have any questions about this update, suggestions for future updates or ideas for what foods we should add next? Feel free to reach out to us at [email protected] (Daniel or Josh will reply)! Download Nutrify on the App Store Nutrify Homepage @nutrifyfoodapp on Instagram / TikTok / X Credit roll Nutrition data is curated and FoodVision AI computer vision models are trained by Daniel Bourke. All iOS interfaces are designed and built by Joshua Bourke. Food image data is collected and labelled by Joseph Drury, Samuel Bourke and Daniel Bourke. Food icons are designed and created by Grace Lee. | 2026-01-13T08:48:24 |
https://www.fine.dev/blog/shipping-faster-startups | 7 Proven Strategies for Shipping Faster with a Small Development Team Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back 7 Proven Strategies for Shipping Faster with a Small Development Team Shipping faster with a small development team can feel like a constant struggle, but with the right strategies, it's entirely achievable. In this blog, we explore an additional key strategy and five proven ways your small team can accelerate development and ship products faster—without compromising on quality. Let's dive in. Table of Contents Use an Issue Management Platform Prioritize Ruthlessly Embrace Continuous Integration and Continuous Deployment (CI/CD) Limit Work in Progress (WIP) Leverage AI Tools to Automate Small Tasks Define a "Minimum Shippable Product" and Iterate Create a Feedback Channel Linked to Issue Management 1. Use an Issue Management Platform Visibility is crucial for small development teams to stay on top of their workload and avoid confusion. Using an issue management platform like Linear , Monday.dev , Jira , or ClickUp helps keep tasks organized, ensures everyone is aligned, and provides transparency for ongoing work. These platforms can be linked to GitHub, keeping track of everything from open issues to pull requests (PRs) that need reviewing. This seamless integration makes it easy to see the status of all tasks, improving efficiency and communication. You can also integrate AI tools like Fine to provide additional context or automate parts of the process, further accelerating development. Beyond managing tasks, these tools save on meeting time and ensure everyone is on the same page regarding specifications and goals, making it easier to ship features faster. 2. Prioritize Ruthlessly When you're part of a small team, every person counts, and every task matters. The first step towards faster shipping is ruthless prioritization. Not all tasks are created equal, and distinguishing between "must-haves" and "nice-to-haves" can make all the difference. Work with stakeholders to focus on high-impact features. Identify blockers that, if removed, will speed up progress. Using frameworks like the Eisenhower Matrix or MoSCoW can help your team make decisions faster and reduce wasted effort on tasks that aren't mission-critical. 3. Embrace Continuous Integration and Continuous Deployment (CI/CD) Small teams have the advantage of agility—you can implement new processes quickly without much bureaucracy. Adopting Continuous Integration and Continuous Deployment (CI/CD) pipelines can dramatically improve your development speed by automating testing and deployment. CI/CD reduces manual work, enables your team to catch issues early, and helps maintain a consistent quality standard. Automating these parts of your workflow allows developers to focus more on coding, knowing that testing and deployment are taken care of. It makes the path from commit to production smooth and fast. 4. Limit Work in Progress (WIP) It can be tempting to have multiple features in progress at the same time, but this often leads to context-switching and delays. To ship faster, consider limiting the number of concurrent tasks. The Kanban methodology focuses heavily on limiting Work in Progress (WIP) to ensure the team isn't stretched too thin. Reducing WIP helps your team stay focused, complete tasks quicker, and ultimately ship features faster. It's all about maintaining momentum—by moving one task to "done" before starting the next, you build a culture of quick delivery and consistency. 5. Leverage AI Tools to Automate Small Tasks One of the most significant bottlenecks for small development teams is the code review process. Waiting for reviews can lead to considerable slowdowns, especially if team members are juggling multiple roles. AI-powered tools can significantly speed up this process by automatically identifying potential issues, suggesting improvements, and even summarizing changes. For example, Fine can handle small tasks autonomously and create pull requests (PRs), saving hours of developer time and reducing backlog. By delegating these tasks to Fine, your team can focus on higher-priority work and ship features faster. 6. Define a "Minimum Shippable Product" and Iterate Shipping faster doesn’t always mean delivering a perfect product from the outset—sometimes it's about identifying the smallest, most valuable product that you can release, get feedback on, and then improve. Defining a "Minimum Shippable Product" (MSP) helps your team focus on delivering value as soon as possible, while allowing you to iterate based on real user feedback. The sooner you release, the sooner you learn, which allows you to refine your product efficiently. By setting clear MSP boundaries and ensuring everyone is aligned on what’s "good enough" to ship, you can keep the momentum high and make meaningful progress faster. 7. Create a Feedback Channel Linked to Issue Management User feedback is one of the most valuable sources of insights for product improvement. Creating a dedicated channel for gathering feedback and linking it directly to your issue management system can help ensure that user needs are effectively addressed. This approach allows the development team to capture and prioritize feedback efficiently, integrate it into their workflow, and make iterative improvements based on real user input. By streamlining feedback collection and linking it to issue tracking, your team can stay focused on delivering what users care about most, ultimately leading to a faster and more effective development cycle. Conclusion With a small development team, every resource counts. By prioritizing tasks ruthlessly, embracing automation through CI/CD and AI tools, limiting WIP, and defining a clear MSP, you can achieve faster shipping without compromising on quality. Remember, shipping fast isn't just about speed—it's about efficiency, focus, and the ability to adapt quickly based on user feedback. Are you interested in accelerating your development process with collaborative AI tools? Sign up for Fine and start shipping better code, faster . 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:48:24 |
https://docs.devcycle.com/integrations/snowflake/ | Snowflake | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page Snowflake DevCycle's Snowflake Data Sharing integration allows you to gain access to all data that are collected by the DevCycle SDKs for your organization. Data Sharing provides a secure and straightforward approach to sharing data between companies. For further information, you may visit Snowflake's dedicated page on Data Sharing . Requirements The integration is only available to Organizations that are on Business or Enterprise plans at this time. Your Organization's Snowflake Account Region must be AWS - US East 1. Setup To begin the setup process for data sharing, you'll need to provide DevCycle with a few details from your Snowflake instance. Please reach out to your contact or to [email protected] and include the following information: Name/ID of DevCycle Organization Snowflake Account Name Snowflake Organization DevCycle will create the request to share data to your Snowflake instance. Once it's ready, please visit your Snowflake portal to accept the sharing request. Schema DevCycle's Snowflake Schema containing definitions of each field. Field Type Description _ID string DVC unique event identifier TYPE string Type of the event TARGET string Location of tracked event CUSTOMTYPE string Custom defined type for the event _PROJECT string Unique Project ID _ENVIRONMENT string Unique Environment ID USER_ID string User ID DATE timestamp_ntz Date on which the event was saved to DVC servers CLIENTDATE timestamp_ntz Date on which the event was tracked on the device VALUE float Any value associated with the event FEATUREVARS JSON Set of Variation IDs mapped to Feature IDs USER JSON User and Device information METADATA JSON Any metadata associated with the event A0_ORGANIZATION string Unique Organization ID Contributing to DevCycle or creating a new Integration: If you would like to contribute to an existing integration or tool, all of DevCycle's tools and integrations are open source on the DevCycle github repository. Further, if you'd like to create a new tool or integration, a great starting point is DevCycle's Management API which allows you to modify and interact with features and more within a devcycle project, as well as the DevCycle Bucketing API which is used to give users features and variables (as used within the DevCycle SDKs!) Edit this page Last updated on Jan 9, 2026 Requirements Setup Schema DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://docs.devcycle.com/integrations/jira/ | DevCycle Feature Flag Management for Jira | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page DevCycle Feature Flag Management for Jira Setup Jira Marketplace Listing Install DevCycle Feature Flag Management for Jira Jira Integration Setup Setup DevCycle Feature Flag Management for Jira DevCycle for Jira streamlines your workflow by enabling the linking of Jira tickets directly to features within DevCycle, making the feature status easily viewable within Jira. Feature development teams often utilize a diverse array of tools, from project management and code repositories to feature management tools. However, these tools often contain siloed information, making it a daunting task to track the exact status of a feature in the development lifecycle. DevCycle for Jira is the solution to this problem. It establishes a two-way synchronization between Jira, the leading project management tool, and DevCycle, the top feature management tool. With DevCycle for Jira enabled, teams can quickly identify which feature flags are tied to their tickets and understand their current configuration and status. This results in smoother standups, code reviews, QA, and planning processes. See Your Feature's Status in Jira Link your Feature Flags to Jira effortlessly and monitor their status directly in Jira. Connect Your Tickets in DevCycle Integrate your Jira Ticket IDs with any Feature in DevCycle. This flexibility allows you to associate one ticket with multiple features and vice versa, according to your project needs. More Info DevCycle for Jira equips your team to comprehend the full context of every ticket in Jira, simplifying the task of finding the Jira context within DevCycle. This integration allows for a quicker understanding of the current status of all tasks, enabling you to develop your features faster and with more confidence. Simply input the Jira ticket numbers on your feature to connect existing Features to Jira tickets. You can view the status of a feature in every environment through a single connection in Jira. Associate one Jira ticket with numerous DevCycle Features, or link numerous Jira tickets to one DevCycle feature, providing a flexible view of your work. Note that each DevCycle project can only be connected to a single Jira project. Contributing to DevCycle or creating a new Integration: If you would like to contribute to an existing integration or tool, all of DevCycle's tools and integrations are open source on the DevCycle github repository. Further, if you'd like to create a new tool or integration, a great starting point is DevCycle's Management API which allows you to modify and interact with features and more within a devcycle project, as well as the DevCycle Bucketing API which is used to give users features and variables (as used within the DevCycle SDKs!) Edit this page Last updated on Jan 9, 2026 Setup See Your Feature's Status in Jira Connect Your Tickets in DevCycle More Info DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://docs.devcycle.com/sdk/server-side-sdks/node | Node.js SDK | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up SDK Overview SDK Lifecycle SDK Features Client-side SDKS Server-side SDKS Node.js SDK Installation Getting Started Usage OpenFeature Typescript Bootstrapping / SSR Example App NestJS SDK PHP SDK Go SDK Ruby SDK Python SDK Java SDK .NET SDK SDK Proxy Server-side SDKS Node.js SDK DevCycle Node.js Server SDK There are two modes for the SDK, Cloud bucketing (using the Bucketing API ) and Local Bucketing. We recommend using the Local Bucketing mode by default, as it performs fast local evaluations of your feature flags. If you need access to EdgeDB you will need to use the Cloud Bucketing mode of the SDK. Installation Installing the SDK Getting Started Initializing the SDK Usage Using the SDK OpenFeature How to implement the OpenFeature Provider Typescript SDK features for Typescript users Bootstrapping / SSR SDK features for bootstrapping a client SDK on the server Example App Try it out for yourself The SDK is available as a package on NPM, with a full Typescript interface. It is also open source and can be viewed on the DevCycle GitHub . Edit this page Last updated on Jan 9, 2026 Previous Example App Next Installation DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://www.youtube.com/watch?v=Z9BVmvTeLUQ | 🎯 Promoting efficiency and accuracy in Agile Teams with AI - YouTube 정보 보도자료 저작권 문의하기 크리에이터 광고 개발자 약관 개인정보처리방침 정책 및 안전 YouTube 작동의 원리 새로운 기능 테스트하기 © 2026 Google LLC, Sundar Pichai, 1600 Amphitheatre Parkway, Mountain View CA 94043, USA, 0807-882-594 (무료), yt-support-solutions-kr@google.com, 호스팅: Google LLC, 사업자정보 , 불법촬영물 신고 크리에이터들이 유튜브 상에 게시, 태그 또는 추천한 상품들은 판매자들의 약관에 따라 판매됩니다. 유튜브는 이러한 제품들을 판매하지 않으며, 그에 대한 책임을 지지 않습니다. var ytInitialData = {"responseContext":{"serviceTrackingParams":[{"service":"CSI","params":[{"key":"c","value":"WEB"},{"key":"cver","value":"2.20260109.01.00"},{"key":"yt_li","value":"0"},{"key":"GetWatchNext_rid","value":"0xd378e1425bd0a6b7"}]},{"service":"GFEEDBACK","params":[{"key":"logged_in","value":"0"},{"key":"visitor_data","value":"Cgs1SWdWTjd3TnRabyjUjZjLBjIKCgJLUhIEGgAgbGLfAgrcAjE1LllUPU9YUjRqN2xtcnhuUldyRXNGdHZ1XzhmVE1zR0l3NmszeUxWRF9peWpRMkF4dkhwY1V0Mk5IZWpkZENOYzRFazBOZW1KTjc4cU1GcnE5MmZjemF6YjV2alB1aDNwZmxZM05vWUoyWUtBNEdDeXRuZEl0VTB1cFVwT3RweFBRdnRhU2VUT3lnbHh1LUFlTTFlZWJJUldOYTNMcHlfSi1BbzRDMGNnSFVkMUE4R2E3bGw4dkVTbmlHSUtqMWg5Rm9JaGxkSWVDNUpXMWF4WnU4UFJXTHlSUnhBMjB0U0ctV3piRUZ1NkRWLUd1ZDUtTHRWeVBBMTRyNV9adnk2ZHJsVFQzNEl0OFdwaEdORXFBNE5XZlVhZEFmZFEzUmxsNjliUkpabGk5bF8zdkNobGhPZlZHbmdNZkExY3U4Q1dDRzUtSEdmSFBLcmFKTU5GajNWSmh4aVctQQ%3D%3D"}]},{"service":"GUIDED_HELP","params":[{"key":"logged_in","value":"0"}]},{"service":"ECATCHER","params":[{"key":"client.version","value":"2.20260109"},{"key":"client.name","value":"WEB"}]}],"mainAppWebResponseContext":{"loggedOut":true,"trackingParam":"kx_fmPxhoPZRb2Wqr5EfICEaEpxX0ReCY40kkviNEvoycgHRgkussh7BwOcCE59TDtslLKPQ-SS"},"webResponseContextExtensionData":{"webResponseContextPreloadData":{"preloadMessageNames":["twoColumnWatchNextResults","results","videoPrimaryInfoRenderer","videoViewCountRenderer","menuRenderer","menuServiceItemRenderer","segmentedLikeDislikeButtonViewModel","likeButtonViewModel","toggleButtonViewModel","buttonViewModel","modalWithTitleAndButtonRenderer","buttonRenderer","dislikeButtonViewModel","unifiedSharePanelRenderer","menuFlexibleItemRenderer","videoSecondaryInfoRenderer","videoOwnerRenderer","subscribeButtonRenderer","subscriptionNotificationToggleButtonRenderer","menuPopupRenderer","confirmDialogRenderer","metadataRowContainerRenderer","compositeVideoPrimaryInfoRenderer","itemSectionRenderer","continuationItemRenderer","secondaryResults","lockupViewModel","thumbnailViewModel","thumbnailOverlayBadgeViewModel","thumbnailBadgeViewModel","thumbnailHoverOverlayToggleActionsViewModel","lockupMetadataViewModel","decoratedAvatarViewModel","avatarViewModel","contentMetadataViewModel","badgeViewModel","sheetViewModel","listViewModel","listItemViewModel","autoplay","playerOverlayRenderer","menuNavigationItemRenderer","watchNextEndScreenRenderer","endScreenVideoRenderer","thumbnailOverlayTimeStatusRenderer","thumbnailOverlayNowPlayingRenderer","playerOverlayAutoplayRenderer","playerOverlayVideoDetailsRenderer","autoplaySwitchButtonRenderer","quickActionsViewModel","decoratedPlayerBarRenderer","multiMarkersPlayerBarRenderer","chapterRenderer","notificationActionRenderer","markerRenderer","speedmasterEduViewModel","engagementPanelSectionListRenderer","engagementPanelTitleHeaderRenderer","sortFilterSubMenuRenderer","sectionListRenderer","adsEngagementPanelContentRenderer","chipBarViewModel","chipViewModel","macroMarkersListRenderer","macroMarkersListItemRenderer","toggleButtonRenderer","structuredDescriptionContentRenderer","videoDescriptionHeaderRenderer","factoidRenderer","viewCountFactoidRenderer","expandableVideoDescriptionBodyRenderer","horizontalCardListRenderer","richListHeaderRenderer","videoDescriptionCourseSectionRenderer","structuredDescriptionPlaylistLockupRenderer","thumbnailOverlayBottomPanelRenderer","topicLinkRenderer","videoDescriptionTranscriptSectionRenderer","videoDescriptionInfocardsSectionRenderer","desktopTopbarRenderer","topbarLogoRenderer","fusionSearchboxRenderer","topbarMenuButtonRenderer","multiPageMenuRenderer","hotkeyDialogRenderer","hotkeyDialogSectionRenderer","hotkeyDialogSectionOptionRenderer","voiceSearchDialogRenderer","cinematicContainerRenderer"]},"ytConfigData":{"visitorData":"Cgs1SWdWTjd3TnRabyjUjZjLBjIKCgJLUhIEGgAgbGLfAgrcAjE1LllUPU9YUjRqN2xtcnhuUldyRXNGdHZ1XzhmVE1zR0l3NmszeUxWRF9peWpRMkF4dkhwY1V0Mk5IZWpkZENOYzRFazBOZW1KTjc4cU1GcnE5MmZjemF6YjV2alB1aDNwZmxZM05vWUoyWUtBNEdDeXRuZEl0VTB1cFVwT3RweFBRdnRhU2VUT3lnbHh1LUFlTTFlZWJJUldOYTNMcHlfSi1BbzRDMGNnSFVkMUE4R2E3bGw4dkVTbmlHSUtqMWg5Rm9JaGxkSWVDNUpXMWF4WnU4UFJXTHlSUnhBMjB0U0ctV3piRUZ1NkRWLUd1ZDUtTHRWeVBBMTRyNV9adnk2ZHJsVFQzNEl0OFdwaEdORXFBNE5XZlVhZEFmZFEzUmxsNjliUkpabGk5bF8zdkNobGhPZlZHbmdNZkExY3U4Q1dDRzUtSEdmSFBLcmFKTU5GajNWSmh4aVctQQ%3D%3D","rootVisualElementType":3832},"webPrefetchData":{"navigationEndpoints":[{"clickTrackingParams":"CAAQg2ciEwj7kvftkIiSAxW6STgFHRpSL8MyDHJlbGF0ZWQtYXV0b0jE2vimr7OV6GeaAQUIAxD4HcoBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=o3K_HbpWNpg\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"o3K_HbpWNpg","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}},{"clickTrackingParams":"CAAQg2ciEwj7kvftkIiSAxW6STgFHRpSL8MyDHJlbGF0ZWQtYXV0b0jE2vimr7OV6GeaAQUIAxD4HcoBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=o3K_HbpWNpg\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"o3K_HbpWNpg","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}},{"clickTrackingParams":"CAAQg2ciEwj7kvftkIiSAxW6STgFHRpSL8MyDHJlbGF0ZWQtYXV0b0jE2vimr7OV6GeaAQUIAxD4HcoBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=o3K_HbpWNpg\u0026pp=QAFIAQ%3D%3D","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"o3K_HbpWNpg","params":"EAEYAdoBBAgBKgA%3D","playerParams":"QAFIAQ%3D%3D","watchEndpointSupportedPrefetchConfig":{"prefetchHintConfig":{"prefetchPriority":0,"countdownUiRelativeSecondsPrefetchCondition":-3}}}}]},"hasDecorated":true}},"contents":{"twoColumnWatchNextResults":{"results":{"results":{"contents":[{"videoPrimaryInfoRenderer":{"title":{"runs":[{"text":"🎯 Promoting efficiency and accuracy in Agile Teams with AI"}]},"viewCount":{"videoViewCountRenderer":{"viewCount":{"simpleText":"조회수 126회"},"shortViewCount":{"simpleText":"조회수 126회"},"originalViewCount":"0"}},"videoActions":{"menuRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"runs":[{"text":"신고"}]},"icon":{"iconType":"FLAG"},"serviceEndpoint":{"clickTrackingParams":"CNICELW0CRgAIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","showEngagementPanelEndpoint":{"identifier":{"tag":"PAabuse_report"},"globalConfiguration":{"params":"qgdxCAESC1o5QlZtdlRlTFVRGmBFZ3RhT1VKV2JYWlVaVXhWVVVBQldBQjRCWklCTWdvd0VpNW9kSFJ3Y3pvdkwya3VlWFJwYldjdVkyOXRMM1pwTDFvNVFsWnRkbFJsVEZWUkwyUmxabUYxYkhRdWFuQm4%3D"},"engagementPanelPresentationConfigs":{"engagementPanelPopupPresentationConfig":{"popupType":"PANEL_POPUP_TYPE_DIALOG"}}}},"trackingParams":"CNICELW0CRgAIhMI-5L37ZCIkgMVukk4BR0aUi_D"}}],"trackingParams":"CNICELW0CRgAIhMI-5L37ZCIkgMVukk4BR0aUi_D","topLevelButtons":[{"segmentedLikeDislikeButtonViewModel":{"likeButtonViewModel":{"likeButtonViewModel":{"toggleButtonViewModel":{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"LIKE","title":"2","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CN0CEKVBIhMI-5L37ZCIkgMVukk4BR0aUi_D"}},{"innertubeCommand":{"clickTrackingParams":"CN0CEKVBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"simpleText":"동영상이 마음에 드시나요?"},"content":{"simpleText":"로그인하여 의견을 알려주세요."},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CN4CEPqGBCITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko\u0026hl=ko\u0026ec=66426","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CN4CEPqGBCITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/like"}},"likeEndpoint":{"status":"LIKE","target":{"videoId":"Z9BVmvTeLUQ"},"likeParams":"Cg0KC1o5QlZtdlRlTFVRIAAyDAjVjZjLBhCqhciBAw%3D%3D"}},"idamTag":"66426"}},"trackingParams":"CN4CEPqGBCITCPuS9-2QiJIDFbpJOAUdGlIvww=="}}}}}}}]}},"accessibilityText":"다른 사용자 2명과 함께 이 동영상에 좋아요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CN0CEKVBIhMI-5L37ZCIkgMVukk4BR0aUi_D","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.like.button","tooltip":"이 동영상이 마음에 듭니다."}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"LIKE","title":"3","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CNwCEKVBIhMI-5L37ZCIkgMVukk4BR0aUi_D"}},{"innertubeCommand":{"clickTrackingParams":"CNwCEKVBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"Z9BVmvTeLUQ"},"removeLikeParams":"Cg0KC1o5QlZtdlRlTFVRGAAqDAjVjZjLBhDO7MiBAw%3D%3D"}}}]}},"accessibilityText":"다른 사용자 2명과 함께 이 동영상에 좋아요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CNwCEKVBIhMI-5L37ZCIkgMVukk4BR0aUi_D","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.like.button","tooltip":"좋아요 취소"}},"identifier":"watch-like","trackingParams":"CNICELW0CRgAIhMI-5L37ZCIkgMVukk4BR0aUi_D","isTogglingDisabled":true}},"likeStatusEntityKey":"EgtaOUJWbXZUZUxVUSA-KAE%3D","likeStatusEntity":{"key":"EgtaOUJWbXZUZUxVUSA-KAE%3D","likeStatus":"INDIFFERENT"}}},"dislikeButtonViewModel":{"dislikeButtonViewModel":{"toggleButtonViewModel":{"toggleButtonViewModel":{"defaultButtonViewModel":{"buttonViewModel":{"iconName":"DISLIKE","title":"싫어요","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CNoCEKiPCSITCPuS9-2QiJIDFbpJOAUdGlIvww=="}},{"innertubeCommand":{"clickTrackingParams":"CNoCEKiPCSITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"simpleText":"동영상이 마음에 안 드시나요?"},"content":{"simpleText":"로그인하여 의견을 알려주세요."},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CNsCEPmGBCITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko\u0026hl=ko\u0026ec=66425","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CNsCEPmGBCITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/dislike"}},"likeEndpoint":{"status":"DISLIKE","target":{"videoId":"Z9BVmvTeLUQ"},"dislikeParams":"Cg0KC1o5QlZtdlRlTFVREAAiDAjVjZjLBhCKg8qBAw%3D%3D"}},"idamTag":"66425"}},"trackingParams":"CNsCEPmGBCITCPuS9-2QiJIDFbpJOAUdGlIvww=="}}}}}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CNoCEKiPCSITCPuS9-2QiJIDFbpJOAUdGlIvww==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.dislike.button","tooltip":"이 동영상이 마음에 들지 않습니다."}},"toggledButtonViewModel":{"buttonViewModel":{"iconName":"DISLIKE","title":"싫어요","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CNkCEKiPCSITCPuS9-2QiJIDFbpJOAUdGlIvww=="}},{"innertubeCommand":{"clickTrackingParams":"CNkCEKiPCSITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/like/removelike"}},"likeEndpoint":{"status":"INDIFFERENT","target":{"videoId":"Z9BVmvTeLUQ"},"removeLikeParams":"Cg0KC1o5QlZtdlRlTFVRGAAqDAjVjZjLBhDKo8qBAw%3D%3D"}}}]}},"accessibilityText":"동영상에 싫어요 표시","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CNkCEKiPCSITCPuS9-2QiJIDFbpJOAUdGlIvww==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","accessibilityId":"id.video.dislike.button","tooltip":"이 동영상이 마음에 들지 않습니다."}},"trackingParams":"CNICELW0CRgAIhMI-5L37ZCIkgMVukk4BR0aUi_D","isTogglingDisabled":true}},"dislikeEntityKey":"EgtaOUJWbXZUZUxVUSA-KAE%3D"}},"iconType":"LIKE_ICON_TYPE_UNKNOWN","likeCountEntity":{"key":"unset_like_count_entity_key"},"dynamicLikeCountUpdateData":{"updateStatusKey":"like_count_update_status_key","placeholderLikeCountValuesKey":"like_count_placeholder_values_key","updateDelayLoopId":"like_count_update_delay_loop_id","updateDelaySec":5},"teasersOrderEntityKey":"EgtaOUJWbXZUZUxVUSD8AygB"}},{"buttonViewModel":{"iconName":"SHARE","title":"공유","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CNcCEOWWARgDIhMI-5L37ZCIkgMVukk4BR0aUi_D"}},{"innertubeCommand":{"clickTrackingParams":"CNcCEOWWARgDIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/share/get_share_panel"}},"shareEntityServiceEndpoint":{"serializedShareEntity":"CgtaOUJWbXZUZUxVUaABAQ%3D%3D","commands":[{"clickTrackingParams":"CNcCEOWWARgDIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","openPopupAction":{"popup":{"unifiedSharePanelRenderer":{"trackingParams":"CNgCEI5iIhMI-5L37ZCIkgMVukk4BR0aUi_D","showLoadingSpinner":true}},"popupType":"DIALOG","beReused":true}}]}}}]}},"accessibilityText":"공유","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CNcCEOWWARgDIhMI-5L37ZCIkgMVukk4BR0aUi_D","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","state":"BUTTON_VIEW_MODEL_STATE_ACTIVE","accessibilityId":"id.video.share.button","tooltip":"공유"}}],"accessibility":{"accessibilityData":{"label":"추가 작업"}},"flexibleItems":[{"menuFlexibleItemRenderer":{"menuItem":{"menuServiceItemRenderer":{"text":{"runs":[{"text":"저장"}]},"icon":{"iconType":"PLAYLIST_ADD"},"serviceEndpoint":{"clickTrackingParams":"CNUCEOuQCSITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"runs":[{"text":"나중에 다시 보고 싶으신가요?"}]},"content":{"runs":[{"text":"로그인하여 동영상을 재생목록에 추가하세요."}]},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CNYCEPuGBCITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko%26next%3D%252Fwatch%253Fv%253DZ9BVmvTeLUQ\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CNYCEPuGBCITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}},"idamTag":"66427"}},"trackingParams":"CNYCEPuGBCITCPuS9-2QiJIDFbpJOAUdGlIvww=="}}}}}},"trackingParams":"CNUCEOuQCSITCPuS9-2QiJIDFbpJOAUdGlIvww=="}},"topLevelButton":{"buttonViewModel":{"iconName":"PLAYLIST_ADD","title":"저장","onTap":{"serialCommand":{"commands":[{"logGestureCommand":{"gestureType":"GESTURE_EVENT_TYPE_LOG_GENERIC_CLICK","trackingParams":"CNMCEOuQCSITCPuS9-2QiJIDFbpJOAUdGlIvww=="}},{"innertubeCommand":{"clickTrackingParams":"CNMCEOuQCSITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"runs":[{"text":"나중에 다시 보고 싶으신가요?"}]},"content":{"runs":[{"text":"로그인하여 동영상을 재생목록에 추가하세요."}]},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CNQCEPuGBCITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko%26next%3D%252Fwatch%253Fv%253DZ9BVmvTeLUQ\u0026hl=ko\u0026ec=66427","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CNQCEPuGBCITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}},"idamTag":"66427"}},"trackingParams":"CNQCEPuGBCITCPuS9-2QiJIDFbpJOAUdGlIvww=="}}}}}}}]}},"accessibilityText":"재생목록에 저장","style":"BUTTON_VIEW_MODEL_STYLE_MONO","trackingParams":"CNMCEOuQCSITCPuS9-2QiJIDFbpJOAUdGlIvww==","isFullWidth":false,"type":"BUTTON_VIEW_MODEL_TYPE_TONAL","buttonSize":"BUTTON_VIEW_MODEL_SIZE_DEFAULT","tooltip":"저장"}}}}]}},"trackingParams":"CNICELW0CRgAIhMI-5L37ZCIkgMVukk4BR0aUi_D","superTitleLink":{"runs":[{"text":"The Agile in Action Podcast with Bill Raymond","navigationEndpoint":{"clickTrackingParams":"CNICELW0CRgAIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/playlist?list=PLWzwUIYZpnJsGnFUCmugOjrxYFOFNF93B","webPageType":"WEB_PAGE_TYPE_PLAYLIST","rootVe":5754,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"VLPLWzwUIYZpnJsGnFUCmugOjrxYFOFNF93B"}}}]},"dateText":{"simpleText":"2024. 2. 5."},"relativeDateText":{"accessibility":{"accessibilityData":{"label":"1년 전"}},"simpleText":"1년 전"}}},{"videoSecondaryInfoRenderer":{"owner":{"videoOwnerRenderer":{"thumbnail":{"thumbnails":[{"url":"https://yt3.ggpht.com/Kx10MJpTTnibt84kypAQ4RQ8f59LH8P4O7c5dWqB6yzXK2gvRvNs6oKWqrVihGUJaXWPBHQITw=s48-c-k-c0x00ffffff-no-rj","width":48,"height":48},{"url":"https://yt3.ggpht.com/Kx10MJpTTnibt84kypAQ4RQ8f59LH8P4O7c5dWqB6yzXK2gvRvNs6oKWqrVihGUJaXWPBHQITw=s88-c-k-c0x00ffffff-no-rj","width":88,"height":88},{"url":"https://yt3.ggpht.com/Kx10MJpTTnibt84kypAQ4RQ8f59LH8P4O7c5dWqB6yzXK2gvRvNs6oKWqrVihGUJaXWPBHQITw=s176-c-k-c0x00ffffff-no-rj","width":176,"height":176}]},"title":{"runs":[{"text":"Bill Raymond","navigationEndpoint":{"clickTrackingParams":"CNECEOE5IhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/@bill-raymond","webPageType":"WEB_PAGE_TYPE_CHANNEL","rootVe":3611,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"UCo63gWfWRfEciJ98mJLIU0Q","canonicalBaseUrl":"/@bill-raymond"}}}]},"subscriptionButton":{"type":"FREE"},"navigationEndpoint":{"clickTrackingParams":"CNECEOE5IhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/@bill-raymond","webPageType":"WEB_PAGE_TYPE_CHANNEL","rootVe":3611,"apiUrl":"/youtubei/v1/browse"}},"browseEndpoint":{"browseId":"UCo63gWfWRfEciJ98mJLIU0Q","canonicalBaseUrl":"/@bill-raymond"}},"subscriberCountText":{"accessibility":{"accessibilityData":{"label":"구독자 7.01천명"}},"simpleText":"구독자 7.01천명"},"trackingParams":"CNECEOE5IhMI-5L37ZCIkgMVukk4BR0aUi_D"}},"subscribeButton":{"subscribeButtonRenderer":{"buttonText":{"runs":[{"text":"구독"}]},"subscribed":false,"enabled":true,"type":"FREE","channelId":"UCo63gWfWRfEciJ98mJLIU0Q","showPreferences":false,"subscribedButtonText":{"runs":[{"text":"구독중"}]},"unsubscribedButtonText":{"runs":[{"text":"구독"}]},"trackingParams":"CMICEJsrIhMI-5L37ZCIkgMVukk4BR0aUi_DKPgdMgV3YXRjaA==","unsubscribeButtonText":{"runs":[{"text":"구독 취소"}]},"subscribeAccessibility":{"accessibilityData":{"label":"Bill Raymond을(를) 구독합니다."}},"unsubscribeAccessibility":{"accessibilityData":{"label":"Bill Raymond을(를) 구독 취소합니다."}},"notificationPreferenceButton":{"subscriptionNotificationToggleButtonRenderer":{"states":[{"stateId":3,"nextStateId":3,"state":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"icon":{"iconType":"NOTIFICATIONS_NONE"},"accessibility":{"label":"현재 설정은 맞춤설정 알림 수신입니다. Bill Raymond 채널의 알림 설정을 변경하려면 탭하세요."},"trackingParams":"CNACEPBbIhMI-5L37ZCIkgMVukk4BR0aUi_D","accessibilityData":{"accessibilityData":{"label":"현재 설정은 맞춤설정 알림 수신입니다. Bill Raymond 채널의 알림 설정을 변경하려면 탭하세요."}}}}},{"stateId":0,"nextStateId":0,"state":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"icon":{"iconType":"NOTIFICATIONS_OFF"},"accessibility":{"label":"현재 설정은 알림 수신 안함입니다. Bill Raymond 채널의 알림 설정을 변경하려면 탭하세요."},"trackingParams":"CM8CEPBbIhMI-5L37ZCIkgMVukk4BR0aUi_D","accessibilityData":{"accessibilityData":{"label":"현재 설정은 알림 수신 안함입니다. Bill Raymond 채널의 알림 설정을 변경하려면 탭하세요."}}}}}],"currentStateId":3,"trackingParams":"CMgCEJf5ASITCPuS9-2QiJIDFbpJOAUdGlIvww==","command":{"clickTrackingParams":"CMgCEJf5ASITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandExecutorCommand":{"commands":[{"clickTrackingParams":"CMgCEJf5ASITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","openPopupAction":{"popup":{"menuPopupRenderer":{"items":[{"menuServiceItemRenderer":{"text":{"simpleText":"맞춤설정"},"icon":{"iconType":"NOTIFICATIONS_NONE"},"serviceEndpoint":{"clickTrackingParams":"CM4CEOy1BBgDIhMI-5L37ZCIkgMVukk4BR0aUi_DMhJQUkVGRVJFTkNFX0RFRkFVTFTKAQRjAGAB","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQ282M2dXZldSZkVjaUo5OG1KTElVMFESAggBGAAgBFITCgIIAxILWjlCVm12VGVMVVEYAA%3D%3D"}},"trackingParams":"CM4CEOy1BBgDIhMI-5L37ZCIkgMVukk4BR0aUi_D","isSelected":true}},{"menuServiceItemRenderer":{"text":{"simpleText":"없음"},"icon":{"iconType":"NOTIFICATIONS_OFF"},"serviceEndpoint":{"clickTrackingParams":"CM0CEO21BBgEIhMI-5L37ZCIkgMVukk4BR0aUi_DMhtQUkVGRVJFTkNFX05PX05PVElGSUNBVElPTlPKAQRjAGAB","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/notification/modify_channel_preference"}},"modifyChannelNotificationPreferenceEndpoint":{"params":"ChhVQ282M2dXZldSZkVjaUo5OG1KTElVMFESAggDGAAgBFITCgIIAxILWjlCVm12VGVMVVEYAA%3D%3D"}},"trackingParams":"CM0CEO21BBgEIhMI-5L37ZCIkgMVukk4BR0aUi_D","isSelected":false}},{"menuServiceItemRenderer":{"text":{"runs":[{"text":"구독 취소"}]},"icon":{"iconType":"PERSON_MINUS"},"serviceEndpoint":{"clickTrackingParams":"CMkCENuLChgFIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CMkCENuLChgFIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"CMoCEMY4IhMI-5L37ZCIkgMVukk4BR0aUi_D","dialogMessages":[{"runs":[{"text":"Bill Raymond"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"CMwCEPBbIhMI-5L37ZCIkgMVukk4BR0aUi_DMgV3YXRjaMoBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UCo63gWfWRfEciJ98mJLIU0Q"],"params":"CgIIAxILWjlCVm12VGVMVVEYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"CMwCEPBbIhMI-5L37ZCIkgMVukk4BR0aUi_D"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"CMsCEPBbIhMI-5L37ZCIkgMVukk4BR0aUi_D"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}},"trackingParams":"CMkCENuLChgFIhMI-5L37ZCIkgMVukk4BR0aUi_D"}}]}},"popupType":"DROPDOWN"}}]}},"targetId":"notification-bell","secondaryIcon":{"iconType":"EXPAND_MORE"}}},"targetId":"watch-subscribe","signInEndpoint":{"clickTrackingParams":"CMICEJsrIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"ignoreNavigation":true}},"modalEndpoint":{"modal":{"modalWithTitleAndButtonRenderer":{"title":{"simpleText":"채널을 구독하시겠습니까?"},"content":{"simpleText":"채널을 구독하려면 로그인하세요."},"button":{"buttonRenderer":{"style":"STYLE_MONO_FILLED","size":"SIZE_DEFAULT","isDisabled":false,"text":{"simpleText":"로그인"},"navigationEndpoint":{"clickTrackingParams":"CMcCEP2GBCITCPuS9-2QiJIDFbpJOAUdGlIvwzIJc3Vic2NyaWJlygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"https://accounts.google.com/ServiceLogin?service=youtube\u0026uilel=3\u0026passive=true\u0026continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Dko%26next%3D%252Fwatch%253Fv%253DZ9BVmvTeLUQ%26continue_action%3DQUFFLUhqa1R3blJ4NkhkYmpUTXhqcjViSE12aFphelhYQXxBQ3Jtc0tsdmJScS1VOE1kOUItMWpkVnFTZlRBX1dkeG8yTkMxYXJiYzRmaUtSd3Btd2FycmhaNFN0Ym5oa0huV0MwSUxOd21ZbzIzSmxrQmI0WE5jVngzTURxZWJEZkRTenJLUzhXbWlsOTBxeDNlN2Q4U1ZhVFFvS3JCS2xfZVA1dEZhcGk5Nll5U1MzUmZKUjdLbHY4RnJQUHNUa1ZGbEJMTkpOQmZZZFBaN2xUY0xVVExTLTNvdkIxQ01SZzhDNno4dGRqZUlrcGk\u0026hl=ko\u0026ec=66429","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"signInEndpoint":{"nextEndpoint":{"clickTrackingParams":"CMcCEP2GBCITCPuS9-2QiJIDFbpJOAUdGlIvw8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}},"continueAction":"QUFFLUhqa1R3blJ4NkhkYmpUTXhqcjViSE12aFphelhYQXxBQ3Jtc0tsdmJScS1VOE1kOUItMWpkVnFTZlRBX1dkeG8yTkMxYXJiYzRmaUtSd3Btd2FycmhaNFN0Ym5oa0huV0MwSUxOd21ZbzIzSmxrQmI0WE5jVngzTURxZWJEZkRTenJLUzhXbWlsOTBxeDNlN2Q4U1ZhVFFvS3JCS2xfZVA1dEZhcGk5Nll5U1MzUmZKUjdLbHY4RnJQUHNUa1ZGbEJMTkpOQmZZZFBaN2xUY0xVVExTLTNvdkIxQ01SZzhDNno4dGRqZUlrcGk","idamTag":"66429"}},"trackingParams":"CMcCEP2GBCITCPuS9-2QiJIDFbpJOAUdGlIvww=="}}}}}},"subscribedEntityKey":"EhhVQ282M2dXZldSZkVjaUo5OG1KTElVMFEgMygB","onSubscribeEndpoints":[{"clickTrackingParams":"CMICEJsrIhMI-5L37ZCIkgMVukk4BR0aUi_DKPgdMgV3YXRjaMoBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/subscribe"}},"subscribeEndpoint":{"channelIds":["UCo63gWfWRfEciJ98mJLIU0Q"],"params":"EgIIAxgAIgtaOUJWbXZUZUxVUQ%3D%3D"}}],"onUnsubscribeEndpoints":[{"clickTrackingParams":"CMICEJsrIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"sendPost":true}},"signalServiceEndpoint":{"signal":"CLIENT_SIGNAL","actions":[{"clickTrackingParams":"CMICEJsrIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","openPopupAction":{"popup":{"confirmDialogRenderer":{"trackingParams":"CMQCEMY4IhMI-5L37ZCIkgMVukk4BR0aUi_D","dialogMessages":[{"runs":[{"text":"Bill Raymond"},{"text":" 구독을 취소하시겠습니까?"}]}],"confirmButton":{"buttonRenderer":{"style":"STYLE_BLUE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"구독 취소"}]},"serviceEndpoint":{"clickTrackingParams":"CMYCEPBbIhMI-5L37ZCIkgMVukk4BR0aUi_DKPgdMgV3YXRjaMoBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"sendPost":true,"apiUrl":"/youtubei/v1/subscription/unsubscribe"}},"unsubscribeEndpoint":{"channelIds":["UCo63gWfWRfEciJ98mJLIU0Q"],"params":"CgIIAxILWjlCVm12VGVMVVEYAA%3D%3D"}},"accessibility":{"label":"구독 취소"},"trackingParams":"CMYCEPBbIhMI-5L37ZCIkgMVukk4BR0aUi_D"}},"cancelButton":{"buttonRenderer":{"style":"STYLE_TEXT","size":"SIZE_DEFAULT","isDisabled":false,"text":{"runs":[{"text":"취소"}]},"accessibility":{"label":"취소"},"trackingParams":"CMUCEPBbIhMI-5L37ZCIkgMVukk4BR0aUi_D"}},"primaryIsCancel":false}},"popupType":"DIALOG"}}]}}],"timedAnimationData":{"animationTiming":[1848679],"macroMarkersIndex":[0],"animationDurationSecs":1.5,"borderStrokeThicknessDp":2,"borderOpacity":1,"fillOpacity":0,"trackingParams":"CMMCEPBbIhMI-5L37ZCIkgMVukk4BR0aUi_D","animationOrigin":"ANIMATION_ORIGIN_SMARTIMATION"}}},"metadataRowContainer":{"metadataRowContainerRenderer":{"collapsedItemCount":0,"trackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_D"}},"showMoreText":{"simpleText":"...더보기"},"showLessText":{"simpleText":"간략히"},"trackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_D","defaultExpanded":false,"descriptionCollapsedLines":3,"showMoreCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandExecutorCommand":{"commands":[{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_EXPANDED"}},{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","scrollToEngagementPanelCommand":{"targetId":"engagement-panel-structured-description"}}]}},"showLessCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","changeEngagementPanelVisibilityAction":{"targetId":"engagement-panel-structured-description","visibility":"ENGAGEMENT_PANEL_VISIBILITY_HIDDEN"}},"attributedDescription":{"content":"To contact Aaron, read the transcript, and more:\nhttps://agileinaction.com/agile-in-ac...\n\n🚀 The human still decides, while the AI provides\n\nAaron Upright, Co-founder and Head of Marketing at ZenHub, shares how ZenHub is adding innovative AI solutions into their product to promote development team efficiency.\n\nBill and Aaron share real-world examples of how AI can complement teams, how to prioritize AI projects, and the importance of customer feedback and testing.\n\nIn this podcast, you will learn the following:\n\n✅ The transformative role of AI in enhancing agile team efficiency\n✅ Strategies for seamless workflow management in software development teams\n✅ Innovations in sprint planning and reviews through AI integration\n🎉 Upholding values and ethics in AI implementation for project management\n\nChapters:\n\n00:00 Introducing Aaron Upright\n00:18 The Origin and Evolution of Zenhub\n01:18 The Role of AI in Agile Teams\n01:49 Understanding the Workflow of a Software Development Team\n05:44 The Impact of AI on Daily Standups\n07:20 The Role of AI in Sprint Planning and Reviews\n12:19 The Potential of AI in Estimating Work\n16:39 The Importance of Values in AI Implementation\n21:38 The Mindset for Building AI into Your Product\n29:49 Conclusion and Contact Information","commandRuns":[{"startIndex":49,"length":40,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DSMTa-Kavs5XoZ8oBBGMAYAE=","commandMetadata":{"webCommandMetadata":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbFhQS2Y3UG13SzFZNnIxczc5dzB5WEl2U002d3xBQ3Jtc0trdlNtbVlyREdCMnk2MWVtOHQ5LUVfX0tST08xdUZiazZMTFRLRFM3N2h5d1JHV3hmR3pCanA3SXNFZTdfbE1fakpPUHhteW43RGpDaUpfaUl2M2owbHFSakQyR2VVeTQtYlc0LVRObEFBY25lQXA1UQ\u0026q=https%3A%2F%2Fagileinaction.com%2Fagile-in-action-podcast%2F2024%2F02%2F06%2Fpromoting-efficiency-and-accuracy-in-agile-teams-with-ai.html\u0026v=Z9BVmvTeLUQ","webPageType":"WEB_PAGE_TYPE_UNKNOWN","rootVe":83769}},"urlEndpoint":{"url":"https://www.youtube.com/redirect?event=video_description\u0026redir_token=QUFFLUhqbFhQS2Y3UG13SzFZNnIxczc5dzB5WEl2U002d3xBQ3Jtc0trdlNtbVlyREdCMnk2MWVtOHQ5LUVfX0tST08xdUZiazZMTFRLRFM3N2h5d1JHV3hmR3pCanA3SXNFZTdfbE1fakpPUHhteW43RGpDaUpfaUl2M2owbHFSakQyR2VVeTQtYlc0LVRObEFBY25lQXA1UQ\u0026q=https%3A%2F%2Fagileinaction.com%2Fagile-in-action-podcast%2F2024%2F02%2F06%2Fpromoting-efficiency-and-accuracy-in-agile-teams-with-ai.html\u0026v=Z9BVmvTeLUQ","target":"TARGET_NEW_WINDOW","nofollow":true}}}},{"startIndex":817,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":0,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"0초"}}},{"startIndex":849,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ\u0026t=18s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":18,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026osts=18\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"18초"}}},{"startIndex":890,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ\u0026t=78s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":78,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026osts=78\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"1분 18초"}}},{"startIndex":926,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ\u0026t=109s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":109,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026osts=109\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"1분 49초"}}},{"startIndex":990,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ\u0026t=344s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":344,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026osts=344\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"5분 44초"}}},{"startIndex":1031,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ\u0026t=440s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":440,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026osts=440\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"7분 20초"}}},{"startIndex":1083,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ\u0026t=739s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":739,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026osts=739\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"12분 19초"}}},{"startIndex":1128,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ\u0026t=999s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":999,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026osts=999\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"16분 39초"}}},{"startIndex":1180,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ\u0026t=1298s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":1298,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026osts=1298\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"21분 38초"}}},{"startIndex":1232,"length":5,"onTap":{"innertubeCommand":{"clickTrackingParams":"CMECEM2rARgBIhMI-5L37ZCIkgMVukk4BR0aUi_DygEEYwBgAQ==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=Z9BVmvTeLUQ\u0026t=1789s","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"Z9BVmvTeLUQ","continuePlayback":true,"startTimeSeconds":1789,"watchEndpointSupportedOnesieConfig":{"html5PlaybackOnesieConfig":{"commonConfig":{"url":"https://rr8---sn-ab02a0nfpgxapox-bh266.googlevideo.com/initplayback?source=youtube\u0026oeis=1\u0026c=WEB\u0026oad=3200\u0026ovd=3200\u0026oaad=11000\u0026oavd=11000\u0026ocs=700\u0026oewis=1\u0026oputc=1\u0026ofpcc=1\u0026msp=1\u0026odepv=1\u0026id=67d0559af4de2d44\u0026ip=1.208.108.242\u0026osts=1789\u0026initcwndbps=3431250\u0026mt=1768293662\u0026oweuc="}}}}}},"onTapOptions":{"accessibilityInfo":{"accessibilityLabel":"29분 49초"}}}],"styleRuns":[{"startIndex":0,"length":49,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":49,"length":40,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":89,"length":728,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":817,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":822,"length":27,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":849,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":854,"length":36,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":890,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":895,"length":31,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":926,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":931,"length":59,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":990,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":995,"length":36,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":1031,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":1036,"length":47,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":1083,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":1088,"length":40,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":1128,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":1133,"length":47,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":1180,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":1185,"length":47,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"},{"startIndex":1232,"length":5,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4282296063},{"key":"USER_INTERFACE_THEME_LIGHT","value":4278607828}]}},"fontFamilyName":"Roboto"},{"startIndex":1237,"length":35,"styleRunExtensions":{"styleRunColorMapExtension":{"colorMap":[{"key":"USER_INTERFACE_THEME_DARK","value":4294967295},{"key":"USER_INTERFACE_THEME_LIGHT","value":4279440147}]}},"fontFamilyName":"Roboto"}]},"headerRuns":[{"startIndex":0,"length":49,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":49,"length":40,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":89,"length":728,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":817,"length":5,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":822,"length":27,"headerMapping":"ATTRIBUTED_STRING_HEADER_MAPPING_UNSPECIFIED"},{"startIndex":849,"length":5,"headerMapping | 2026-01-13T08:48:24 |
https://ruul.io/blog/how-to-set-up-an-all-in-one-home-office-for-your-solo-business?7c89d873_page=2 | Blog | For Freelancers, Creators, and Indie Professionals Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow 13 Best Fiverr Alternatives Freelancers Need to Know Read POPULAR ARTICLES How to Accept Online Payments: A Comprehensive Guide for Businesses and Freelancers Learn how to set up and manage secure online payment systems for your business or freelance work. Discover popular payment methods, integration tips, security measures, and best practices to streamline transactions and boost efficiency. Top 15 Digital Nomad Jobs in 2025 Explore the 15 best digital nomad jobs in 2025, from writing to coding—fully remote, high-paying, and travel-friendly. The Ultimate Best AI Tools for Freelancers: Boosting Productivity in 2025 Discover the ultimate AI tools for freelancers in 2025 to enhance productivity and efficiency. From writing and graphic design to project management, explore top AI tools like ChatGPT, Grammarly, Canva, and more. Start optimizing your freelancing. How to Accept Cryptocurrency Payments Find the methods, benefits, and security considerations for accepting crypto payments. Know how cryptocurrencies can open new opportunities for your business. What to Sell as a Digital Product Want to make money while you sleep? From AI art to ebooks and plugins, here’s what actually sells in 2025 and makes your wallet happy! Best 13 Motivational Apps and Techniques You Need As You Work Solo Lack of motivation as an independent? See these motivation apps and techniques. get paid sell grow work news trends get paid sell grow work news trends How to Make Freelance Money I’ve mapped out the freelance income paths that will stick around until 2030. Shared all the pro tips and details in this post. Come check it out! Introducing MiniPay on Ruul: Faster Stablecoin Payment Ruul & MiniPay now bring instant, stablecoin payments with zero withdrawal fee for freelancers. Create virtual USD/EUR accounts, enjoy fast global transfers, and earn up to $275 in bonuses. Best Freelancing Websites Struggling to pick a freelancing website? These 16 categorized freelancing platforms will save your time, energy, and maybe your sanity! How to Get Paid as a Freelancer Don't let payments ruin your business! We've covered everything from the most important steps to the best methods! Designer's Guide to Dribbble All the potential Dribbble has to offer, and all the areas where it leaves you hanging. This Guide gives you all of that and more. Best Freelance Jobs You're looking for the best freelance jobs AI won't wipe out. Safe, in-demand, future-ready, long-lasting work… you'll find it all right here. MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://www.fine.dev/blog/how-to-use-github-copilot | How to Use GitHub Copilot Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Use GitHub Copilot Introduction GitHub Copilot has been a game-changer for developers looking to write code faster, with fewer errors, and a smoother workflow. It's an AI pair programmer that takes a lot of the heavy lifting out of coding, freeing up your time and energy to focus on the bigger picture. In this blog post, we'll dive into how to use GitHub Copilot effectively and explore how it can significantly improve your productivity as a developer. But we'll also go one step further and look at what else AI can do for developers beyond GitHub Copilot's capabilities. Stick around until the end, where we'll explore how Fine can fill in the gaps. Table of Contents Introduction What Can GitHub Copilot Do? How GitHub Copilot Can Make You Faster Practical Steps to Use GitHub Copilot Why Does GitHub Copilot Hallucinate? Best Practices for Using Copilot Safely Limitations of GitHub Copilot What Else Can AI Do for Developers? Conclusion What Can GitHub Copilot Do? GitHub Copilot is designed to be your AI assistant, generating code suggestions based on the context of your work. Here are some of its standout features: Code Generation: Copilot can generate whole lines or even blocks of code, based on natural language comments or existing code context. Autocomplete Functionality: It helps autocomplete methods, variables, and even complex logic based on what it thinks you need next, making your coding process faster and less repetitive. Code Examples and Snippets: If you're dealing with a function or algorithm you're not familiar with, Copilot can provide examples to guide you. Multi-language Support: Copilot isn't limited to a specific language; it supports Python, JavaScript, TypeScript, Ruby, and many more. How GitHub Copilot Can Make You Faster Speed Up Boilerplate Code: By generating repetitive boilerplate code, Copilot saves hours that developers often lose to monotonous tasks. Discover New APIs and Methods: It can introduce you to libraries or functions that you might not be familiar with, expanding your toolkit while you're working. Natural Language to Code: Simply typing what you want in plain English can lead Copilot to write the corresponding code for you. This saves time looking up syntax or fiddling with commands. Practical Steps to Use GitHub Copilot Install the Extension : First, install GitHub Copilot from the Visual Studio Code extensions marketplace. Activate Copilot : Once installed, make sure to sign in with your GitHub account to activate Copilot. Write Natural Language Comments : Start by writing comments like "// Create a function to calculate Fibonacci numbers". Copilot will suggest code based on your comments. Accept or Modify Suggestions : Review Copilot's suggestions and either accept them, modify them, or ask for alternatives by pressing Tab to cycle through options. Customize Settings : Go into Copilot's settings and tweak how often you receive suggestions, the types of suggestions, and more, to tailor the experience to your workflow. Why Does GitHub Copilot Hallucinate? GitHub Copilot can sometimes generate code that seems correct but actually contains logical flaws, outdated practices, or even completely incorrect information. This phenomenon is often referred to as AI "hallucination." These hallucinations occur because Copilot generates responses based on the vast datasets it was trained on, but it doesn't fully understand the context or correctness of the code. Instead, it predicts what comes next based on patterns it has seen before. Additionally, Copilot has limitations in understanding broader project-specific contexts, which can lead to suggestions that don't align with your particular use case. This is why reviewing and testing the code suggestions provided by Copilot is always necessary to avoid unintended errors or vulnerabilities. Best Practices for Using Copilot Safely To make the most of GitHub Copilot while ensuring your code remains secure and of high quality, consider these best practices: Always Review Generated Code : Never assume the generated code is flawless. Make sure to review it thoroughly to avoid introducing bugs or vulnerabilities into your project. Test All Suggestions : Just like any other code, make sure to test the suggestions provided by Copilot. This helps you catch any mistakes or unexpected behaviors early on. Avoid Sensitive Data Handling : Do not use Copilot for generating code that handles sensitive information, like authentication or encryption, as it may inadvertently introduce security risks. Understand the Code : Use Copilot as a guide, not a crutch. Always strive to understand the code being generated, so you can effectively modify and maintain it over time. Limitations of GitHub Copilot While Copilot is a powerful tool, it's important to recognize its limitations: Lack of Deep Context Awareness : Copilot generates suggestions based on the immediate context but lacks a deep understanding of your entire project. This means it might provide code that doesn't fit well with your broader application logic. Risk of Outdated Practices : The AI model was trained on a large dataset that includes both modern and outdated code. As a result, it can sometimes suggest practices that are no longer recommended. Potential Security Risks : Since Copilot generates code based on patterns it has seen, it may inadvertently include insecure coding practices. This makes it crucial for developers to have a good understanding of security best practices when using it. No Guarantee of Originality : The code Copilot suggests may resemble code from public repositories, potentially raising licensing concerns. Be mindful of this when using its suggestions in proprietary software. What Else Can AI Do for Developers? GitHub Copilot is amazing, but it's not the only player in the field of AI-driven development tools . If you want more than just code suggestions, let’s look at some other tasks that AI can automate for you, and this is where Fine comes into the picture. Help Getting Started: If you're not sure how to begin addressing a feature or an issue, or if you're not sure where in the codebase the relevant code is, just ask Fine. Within GitHub Issues or Linear, you can comment /guideme and Fine will break down the task for you. Answer Questions About Your Code: You can ask Fine questions about your code or different tasks you've been given to get quick answers. Using the power of the LLMs and the knowledge of your codebase, Fine will help you solve puzzles. Revisions to PRs in your browser: Need to make a small change to a PR? Fine allows you to comment /revise on the PR in GitHub followed by the change you'd like and the AI does it for you. Comprehensive Code Documentation : Fine automatically documents your code and changes, making it easier for your team to understand and maintain code for years to come. Automate AI workflows: Using Fine, you can set up AI to perform repeated tasks automatically - such as summarizing and reviewing all new PRs. Conclusion GitHub Copilot is an incredible AI assistant that can boost your efficiency by speeding up coding tasks, reducing repetition, and helping you learn on the go. But, if you're looking to level up your entire development process, from security to bug detection and comprehensive documentation, Fine has a lot to offer. Ready to see how AI can transform the way you work beyond code suggestions? Sign up for Fine today and discover the difference. 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:48:24 |
https://docs.devcycle.com/integrations/jira | DevCycle Feature Flag Management for Jira | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page DevCycle Feature Flag Management for Jira Setup Jira Marketplace Listing Install DevCycle Feature Flag Management for Jira Jira Integration Setup Setup DevCycle Feature Flag Management for Jira DevCycle for Jira streamlines your workflow by enabling the linking of Jira tickets directly to features within DevCycle, making the feature status easily viewable within Jira. Feature development teams often utilize a diverse array of tools, from project management and code repositories to feature management tools. However, these tools often contain siloed information, making it a daunting task to track the exact status of a feature in the development lifecycle. DevCycle for Jira is the solution to this problem. It establishes a two-way synchronization between Jira, the leading project management tool, and DevCycle, the top feature management tool. With DevCycle for Jira enabled, teams can quickly identify which feature flags are tied to their tickets and understand their current configuration and status. This results in smoother standups, code reviews, QA, and planning processes. See Your Feature's Status in Jira Link your Feature Flags to Jira effortlessly and monitor their status directly in Jira. Connect Your Tickets in DevCycle Integrate your Jira Ticket IDs with any Feature in DevCycle. This flexibility allows you to associate one ticket with multiple features and vice versa, according to your project needs. More Info DevCycle for Jira equips your team to comprehend the full context of every ticket in Jira, simplifying the task of finding the Jira context within DevCycle. This integration allows for a quicker understanding of the current status of all tasks, enabling you to develop your features faster and with more confidence. Simply input the Jira ticket numbers on your feature to connect existing Features to Jira tickets. You can view the status of a feature in every environment through a single connection in Jira. Associate one Jira ticket with numerous DevCycle Features, or link numerous Jira tickets to one DevCycle feature, providing a flexible view of your work. Note that each DevCycle project can only be connected to a single Jira project. Contributing to DevCycle or creating a new Integration: If you would like to contribute to an existing integration or tool, all of DevCycle's tools and integrations are open source on the DevCycle github repository. Further, if you'd like to create a new tool or integration, a great starting point is DevCycle's Management API which allows you to modify and interact with features and more within a devcycle project, as well as the DevCycle Bucketing API which is used to give users features and variables (as used within the DevCycle SDKs!) Edit this page Last updated on Jan 9, 2026 Setup See Your Feature's Status in Jira Connect Your Tickets in DevCycle More Info DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://docs.suprsend.com/docs/slack-template#jsonnet-editor | Slack Template - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection GETTING STARTED What is SuprSend? Quick Start Guide Best Practices Plan Your Integration Go-live checklist CORE CONCEPTS Templates Design Template Channel Editors Email Template In-App Inbox Template SMS Template Whatsapp Template Android Push Template iOS Push Template Web Push Template Slack Template Microsoft teams Template Testing the Template Handlebars Helpers Internationalization Users Events Workflow Notification Categories Preferences Tenants Lists Broadcast Objects Translations DLT Guidelines Whatsapp Template Guidelines WORKFLOW BUILDER Design Workflow Node List Workflow Settings Trigger Workflow Validate Trigger Payload Tenant Workflows Notification Inbox Overview Multi Tabs React Javascript (Angular, Vuejs etc) React Native Flutter (Headless) PREFERENCE CENTRE Embedded Preference Centre Javascript Angular React VENDOR INTEGRATION GUIDE Overview Email Integrations SMS Integrations Android Push Whatsapp Integrations iOS Push Chat Integrations Vendor Fallback Tenant Vendor INTEGRATIONS Webhook Connectors MONITORING & DEBUGGING Logs Audit Logs Error Guides MANAGE YOUR ACCOUNT Authentication Methods Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation Channel Editors Slack Template Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog Channel Editors Slack Template OpenAI Open in ChatGPT How to design Slack templates using text editor or JSONNET editor for rich block kit templates. OpenAI Open in ChatGPT Edit Template SuprSend provides two ways to design Slack templates: Text Editor : For simple text-based messages with variable interpolation JSONNET Editor : For rich, interactive templates using Slack’s Block Kit with buttons, images, and complex layouts Text Editor The text editor is ideal for simple text messages with variable content. You can add variables in Handlebars syntax as {{...}} . If the output has special html text, enclose variable in triple curly braces as {{{url}}} to avoid HTML escaping. Sample Template Mock Data Copy Ask AI New Signup request in ABC company UserName: {{user_name}} Email: {{user_email}} Organization: {{org.name}} Domain: {{org.domain}} JSONNET Editor The JSONNET editor enables rich template design using Slack Block Kit Builder . This allows you to create interactive templates with buttons, images, checkboxes, and styled text. It is essentially JSON template where variables can be added in JSONNET syntax as data.variable_name or data["$variable_name"] . Template Examples 1. Simple Text Template JSONNET Template Mock Data Copy Ask AI [ { "type" : "section" , "text" : { "type" : "mrkdwn" , "text" : "New Signup on ABC company" } }, { "type" : "section" , "text" : { "type" : "mrkdwn" , "text" : ">_UserName_: *%(user_name)s* \n >_Email_: *%(email)s* \n >_Organization_: *%(org_name)s* \n >_Domain_: *%(domain)s*" % { user_name : data.user_name , email : data.user_email , org_name : data.org.name , domain : data.org.domain } } }, { "type" : "divider" } ] 2. With Buttons: Approval Request Template Mock Data Copy Ask AI [ { "type" : "section" , "text" : { "type" : "mrkdwn" , "text" : "Share access requested for *<%(document_link)s|%(document_name)s>*" % { document_link : data.document_link , document_name : data.document_name } } }, { "type" : "section" , "fields" : [ { "type" : "mrkdwn" , "text" : "*Requested by:* \n " + data.requester_name }, { "type" : "mrkdwn" , "text" : "*When:* \n " + data.submitted_at }, { "type" : "mrkdwn" , "text" : "*Reason:* \n " + data.access_reason } ] }, { "type" : "actions" , "elements" : [ { "type" : "button" , "text" : { "type" : "plain_text" , "emoji" : true , "text" : "Approve" }, "style" : "primary" , "value" : "approve_access" }, { "type" : "button" , "text" : { "type" : "plain_text" , "emoji" : true , "text" : "Deny" }, "style" : "danger" , "value" : "deny_access" } ] } ] 3. With Image: Anomaly Alert Template Mock Data Copy Ask AI [ { "type" : "section" , "text" : { "type" : "mrkdwn" , "text" : ":warning: *High Error Rate Detected* \n Our system has experienced a spike in errors over the last *30 minutes*." } }, { "type" : "section" , "text" : { "type" : "mrkdwn" , "text" : "The error rate has significantly increased, impacting reliability. \n Please investigate immediately to avoid service degradation." } }, { "type" : "image" , "title" : { "type" : "plain_text" , "text" : "Request vs Failure Trend (Last 6 Hours)" , "emoji" : true }, "image_url" : data.image_url , "alt_text" : "Graph showing high error rate spike" }, { "type" : "section" , "fields" : [ { "type" : "mrkdwn" , "text" : "*Impacted Services:* \n " + data.impacted_services }, { "type" : "mrkdwn" , "text" : "*Time Range:* \n " + data.time_range }, { "type" : "mrkdwn" , "text" : "*Error Rate:* \n " + data.error_rate } ] }, { "type" : "divider" }, { "type" : "context" , "elements" : [ { "type" : "mrkdwn" , "text" : "🔍 View logs: <%(log_url)s|Open in Monitoring Tool> \n 📊 See metrics dashboard: <%(dashboard_url)s|Error Trends>" % { log_url : data.log_url , dashboard_url : data.dashboard_url } } ] } ] 4. With Array List: Pending Task Digest (Batched Alert) Template Mock Data Copy Ask AI [ { "type" : "section" , "text" : { "type" : "mrkdwn" , "text" : "Hi " + data [ "$recipient" ] .name + " :wave:" } }, { "type" : "section" , "text" : { "type" : "mrkdwn" , "text" : "You have " +data [ "$batched_events_count" ] + " *pending tasks* for today:" } }, { "type" : "rich_text" , "elements" : [ { "type" : "rich_text_list" , "style" : "bullet" , "indent" : 0 , "elements" : [ { "type" : "rich_text_section" , "elements" : [ { "type" : "text" , "text" : task.title + " (" + task.status + ")" } ] } for task in data [ "$batched_events" ] ] } ] }, { "type" : "actions" , "elements" : [ { "type" : "button" , "text" : { "type" : "plain_text" , "text" : "View Pending tasks" , "emoji" : true }, "url" : "https://app.company.com/tasks" , "value" : "task_url" } ] } ] Adding dynamic content Here’s how you can different types of variables in both handlebars and JSONNET syntax. Variable Type Handlebars Syntax JSONNET Syntax Parent Level variables {{user_name}} data.user_name Nested Object {{org.name}} data.org.name Print Array element at Index {{task_list.[0].task_name}} data.task_list[0].task_name Recipient {{$recipient.name}} data["$recipient"].name Actor {{$actor.name}} data["$actor"].name Tenant {{$tenant.brand_name}} data["$tenant"].brand_name Print each item in the Array Handlebars JSONNET Copy Ask AI {{#each task_list}} {{task_name}}: {{task_description}} {{/each}} Conditional Logic Handlebars JSONNET Copy Ask AI {{#if is_new_org}} New Organization {{else}} Existing Organization {{/if}} Batched Template Handlebars JSONNET Copy Ask AI Total events: {{$batched_events_count}} {{#each $batched_events}} {{item}} {{/each}} Preview Template Add mock JSON data using the Mock data button for all variables used in the template Click Load Preview to see the rendered template For JSONNET templates, click View in Slack Block Kit to see the actual Slack UI preview You must add mock data for all variables in your template. Missing mock data will cause rendering errors and prevent the preview from loading. Publish Template Once your template is ready, click Publish Draft and provide a version name to publish it. The published template becomes the live version and will be used whenever the associated workflow is triggered. Test Template Use this option to send a test message in Slack and preview how it will appear in user’s device. Click the Test button, then enter the user’s distinct_id and select the Slack channel where the test message should be sent. Template testing only uses the published Live version, so make sure to publish your changes before testing. Promote to Production You can clone template across workspaces by using Clone -> Outside Template option. Clone -> Within template can be used to clone within different languages and versions of the same template. Best Practice : Always design templates in your staging workspace first, then promote them to production. This ensures thorough testing of the changes without impacting end users. Was this page helpful? Yes No Suggest edits Raise issue Previous Microsoft teams Template How to design simple MS Teams template using markdown editor or use JSONNET editor to replicate Microsoft's adaptive card design. Next ⌘ I x github linkedin youtube Powered by On this page Edit Template Text Editor JSONNET Editor Template Examples Adding dynamic content Preview Template Publish Template Test Template Promote to Production | 2026-01-13T08:48:24 |
https://ruul.io/blog/how-to-find-freelance-writing-jobs | Best Freelance Jobs That’ll Stay In Demand Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow Best Freelance Jobs You're looking for the best freelance jobs AI won't wipe out. Safe, in-demand, future-ready, long-lasting work… you'll find it all right here. Canan Başer 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Busy scrolling through 8 sections? Here’s your condensed preview: Tech rules the freelance world: Devs (software, blockchain, AI, cyber) are still flat out in demand. AI isn’t replacing devs, it’s hiring them. $100+ rates is the norm. Writers and designers aren’t going away: Human creativity > sloppy creation by AI. Copywriters, brand builders, and UI/UX professionals that use AI as part of their "real" talent are getting paid. Marketers, who mix data & creativity = $$$: Digital marketing is now AI enabled, but still needs humans with expertise in strategy, ads, SEO, and growth. Teaching is going digital and worldwide: Online courses, tutoring and coaching are on volatility. If you can teach it, you can sell it (and possibly scale it). If you're looking for the best freelance jobs , you're really looking for something that will stay valuable. After all, who wants to master a skill just to be replaced by AI later? The thought alone is a bit scary. 😬 Don’t worry, I’ve done the digging for you. Here are high-demand freelance jobs , spread across 8 key categories, that are expected to stay in demand even in the age of AI. Ready to dive in? 1) Software Development Software developers are the people behind nearly all aspects of the digital world, from the apps you use on your mobile phone to systems that keep global business running. They take an idea such as ordering food, managing a remote team, or watching a movie and turn that idea into a reliable, working software. They also troubleshoot software issues, optimize software performance, and make sure software runs smoothly. Is it worth becoming a software developer in 2025? There's a lot of talk about AI taking jobs, but it's not true. In the U.S., jobs for software developers will increase 15% from 2024 to 2034. There are about 129,200 new developer jobs every year. To sum it up, GitHub's CEO Thomas Dohmke said it best: - "When AI gets better and better, the smartest companies will hire more software developers, not less." Demand for developers continues to flourish—with AI, eCommerce, and automation, it seems to be forever. Learn the basics 🎥 Watch: [ Guide To Becoming A Self-Taught Software Developer ] → Traversy Media explains precisely how you can become a self-taught software developer, from what language to learn first to building real-world projects and portfolios. How much can you make? The worldwide average falls between $20–$150/hour . If you're in North America and are building things in AI, cloud, or cybersecurity, it would be about $80–140/hour. So, depending on what you're building and where you're living, that's where you'll land on the pay scale. Also see 👉🏻 [ Freelance Developer Rates ] 2) Blockchain Engineering Blockchain engineers are the ones who build the infrastructure for decentralized systems. They create secure, transparent, and tamper-proof environments where data cannot be faked, modified, or lost. Consider: Global payment systems NFT platforms Voting methodologies Digital identity solutions Smart cities 🔑 In this world, code = trust. And those who write that trust into the system are blockchain engineers. Is it worth becoming a blockchain engineer in 2025? In 2025, there were 66,494 new Web3 jobs globally, a 47% increase from 2024. The numbers are not back to the 2022 heights, but that is actually a good sign. It shows we are moving beyond the hype stage, and the only real professionals have survived. Companies are not looking for vague “crypto enthusiasts.” They are looking for engineers and developers who are truly professionals, especially in: Rust (for high-performance blockchain coding) Solidity (for ETH smart contracts) Security auditing (to avoid million-dollar hacks) Layer 2/zk technologies (for faster, cheaper scaling) Investment capital is returning to blockchain, but with a focus on infrastructure, privacy, and security. We're past the hype period, and competent engineers are now driving a more stable, high-value economy. Learn the basics 🎥 Watch: [How does a blockchain work? – Simply Explained ] → This Simply Explained video breaks down blockchain in plain language. You’ll see how blocks, hashing, and decentralization actually work behind the scenes. How much can you make? The average rate is $81–$100/hour . Upwork mid-level developers earn about $30–$59/hour , while top-level engineers can charge up to $200/hour with enterprise clients. Adding, Blockchain roles tend to be remote and global, so you can access lucrative markets, no matter where you live. 3) AI & ML Engineering AI (Artificial Intelligence) and ML (Machine Learning) engineers are those folks who work with systems like ChatGPT, self-driving cars, and voice assistants. But first, let’s clear up a common confusion: ML engineers make sure ChatGPT gives great answers. AI engineers make sure we can actually use ChatGPT on our devices. Ultimately, the ML engineer builds the brain, while the AI engineer gives it a body and a purpose. Is it worth becoming an AI engineer in 2025? The percentage of companies utilizing AI jumped from 55% to 78% in just one year. At the same time, ML has become one of the fastest-growing freelance categories on sites like Upwork. The demand for engineers is changing towards: LLM deployment Model fine-tuning Infrastructure scaling Evaluation and safety testing AI is not taking jobs, it's creating jobs! We can thank it for creating jobs that didn't exist before. 🙂 Learn the basics 🎥 Watch: [ Machine Learning for Everybody – Full Course ] → freeCodeCamp’s “Machine Learning for Everybody” gives a friendly introduction to AI and ML concepts, from training models to real-life use cases, all without complex math. How much can you make? Global engineering rates for AI/ML professionals vary between $35 and $160+/hour . On Upwork, the average is $35–$60/hour , but that’s for entry to mid-level work. But experienced freelancers working with startups or enterprise projects can earn 2–5× more, easily reaching top-tier rates. 4) Cybersecurity The job of a cybersecurity expert is to protect computers, phones, cloud, networks, and data. It is like installing a security system to protect your home from a thief. They have three tasks: → enact prophylactic measures → detect attacks → repair damage after an attack Large corporations and government agencies cannot keep going without this security chain. Is it worth becoming a cybersecurity specialist in 2025? This year, cybersecurity spending will rise from $193B to $213B . Growth is strong in Cloud and Application Security, because they realize they must protect their data as they move it online. In fact, there are not enough cybersecurity experts. Currently, there are 5.47 million people working in the field. But they still need 4.76 million more. That's a record gap, and it shows that the world needs more cybersecurity professionals. Also, only 14% of organizations (about 1.5 out of 10) claim that they have all the talent needed in cybersecurity. The rest? say they're facing a critical skills gap. So, there’s a budget + high risk → rising demand for freelancers → perfect time to start. Risks are growing, budgets are growing, and the world currently doesn't have enough experts yet. Learn the basics 🎥 Watch: [Introduction to Cybersecurity – Simplilearn ] → Understand what ethical hacking and defending a system really are. Simplilearn’s introduction to cybersecurity will walk you through how hackers think and how the experts stop them. How much can you make? Freelancers in cybersecurity can expect to see hourly rates between $60-$120. However, if you can demonstrate your specialized skills, you could start charging $150+ per hour. Additionally, if you eventually transition into a more senior management role (ex. vCISO), it's entirely possible to earn between $200-300 per hour. 5) Copywriting Copywriters can write just about anything you could find on the internet: social media posts, blog articles, short ad copy, marketing emails, sales pages, and newsletters. Most copywriters have some kind of specialization and are known for it, such as a beauty writer, health writer, B2B article writer, or even a LinkedIn ghostwriter. But of course, you could be a generalist or have even a few specializations if you prefer. Is it worth becoming a copywriter in 2025? 46% of B2B marketers say their content budgets will increase in 2025. I’m not surprised, since content marketing drives : demand/leads (74%) subscriptions/nurturing (62%) sales impact (49%) There's rigorous demand and big budgets for human, conversational content. Plus, AI-generated “slop fatigue,” writers who can connect with readers stand out more than ever. Joe Pulizzi , founder of Content Marketing Institute, backs this belief: — "AI can create a lot of content, but humans still lead in what content is worth creating." I believe AI's true way of impact is in coordination and content operations, not creation. Brands are looking for authentic voices, and human writers who can create emotional connections are more valuable than ever. Learn the basics 🎥 Watch: [ Start Copywriting FAST – 8 Steps for Beginners ] → In this video from Alex Cattoni, you’ll learn the 8 steps to start copywriting FAST — from building empathy, to writing words that persuade your reader to become a buyer. How much can you make? Worldwide, copywriters typically earn $15–$90/hr, depending on experience and niche. Others are paid per word, and if you have specialized expertise (i.e., in health), you may earn $1.25 a word. For simpler topics, rates are usually $0.30–$0.50 per word. About what writers earn worldwide 👉🏻 [ Freelance Writer Rates ] 6) Design Ever see a billboard, some product packaging, or a social media post and think, "wow, that actually looks really cool"? Yep, you can thank a designer for that. Is it worth becoming a designer in 2025? We're seeing some double-digit growth in UI/UX specifically, based on a study that collected and quantified over 22,500 data points. I also checked out what's happening on freelance job sites, and took a look at the Fiverr Business Trends Index and Upwork data. And it’s legit, job postings and searches for all kinds of design services have jumped significantly in areas like website design 3D product rendering Social media content design branding/creative On the branding side, client expectations have now shifted to expecting both great quality and delivery yesterday. And you can probably guess the buzzword designers can’t stop mentioning: → (AI powered design + human touch) It’s the hottest combo across the creative world, and design is no exception. Creative demand is booming again. Designers who are familiar with AI tools and can interconnect them with human brilliance will be in the best positions. Learn the basics 🎥 Watch: [ The 2025 UI/UX Crash Course for Beginners - Learn Figma ] → This DesignCourse tutorial shows you how to go from wireframes to full mockups using Figma. You’ll see the real design workflow step by step. How much can you make? On Upwork, you are looking at designer rates in the $15- $35/hr range. However, this is pretty low for experienced designers. Most freelancers who are professionals will say they earn much more. Top-tier designers can earn $100-150/hr or higher. More about how much you can earn 👉🏻 [ Freelance Designer Rates ] 7) Digital Marketing A digital marketer enhances a brand’s online presence via social media, search engines, ads, emails, and every other avenue that allows consumers to find the brand. The objective is to take someone from awareness to trust, and from trust to sales. But digital marketing is not one job any longer; it's a toolkit. Some marketers excel at SEO. Others are experts in Instagram ads. The ones who shine? They go deep into one skill and establish credible authority around it. Is it worth becoming a digital marketer in 2025? This year, global ad spend is expected to reach $1.17 trillion , a 7% increase from last year. Companies have the budget, but they are reallocating to what provides verifiable ROI: social media and content marketing are increasingly becoming joint drivers of digital growth. And that engine is now powered by AI. 93% of managers and 83% of teams say AI has improved ROI, personalization, data use, and cost efficiency. For freelancers, that means: Brands are looking for strategic operators to turn creativity and data into results. Budgets are growing fast, it's freelancers who are able to corral creativity and data that will be at the forefront of the new wave of marketing. Learn the basics 🎥 Watch: [ Digital Marketing 101 - A Complete Beginner's Guide to Marketing ] → Laurie Wang’s video walks you through how the main digital marketing channels (SEO, email, social, ads) connect and work together. Ideal for beginners. How much can you make? In the mid to lower market, Upwork rates usually range from $15–$45 per hour. But if you're an expert in a strategic field (like SEO in the US/CA market), you can earn $75–$200/hr . Performance-based pay is also common in roles like ad management. 8) Education When you can learn something new without even stepping into a school setting, congratulations, you are learning online. As a freelance teacher or coach, you can teach students in so many different "areas". This could be about: Work-related skills (project management, design, etc.) Personal development (such as confidence, productivity, life skills) Or anything more academic, such as languages, academic subjects, and even complex sciences. You can provide recorded courses together, or you can lead live classes together over groups of video conferencing calls. You can set it up however you would like, as this is your setup in life. Is it worth becoming an educator in 2025? Some educators are selling fully designed course packs, and some are operating "cohort-based" classes, which are small groups of people learning together at the same time. And this concept is projected to go from $3.8B in 2024 to $15.2B by 2033. Language learning is also growing. Expected to grow to 21.1B in 2025 and more than double by 2030. There is a significant demand for speaking coaches and fluency mentors. On the coaching side, the number of coaches in the world has grown 15% from 2023, and it is now greater than 122,974. And many coaches are not strictly doing coaching: 60% are also teaching 57% are also consultants 49% are also mentoring Most significantly, 59% of coaches expect to earn more next year. On the business side, Learning and Development leaders are going deeper on AI training and closing skills gaps. More businesses are looking to hire external experts (coaches and educators) for flexible, impactful training. Meanwhile, companies like Coursera and Udemy are also seeing solid growth in revenue and users. This is bringing normalization to online learning and is paving the way for a new wave of freelancers in the space. Learn the basics 🎥 Watch: [ Teach Online in 2025 | How to Start & Succeed as an Online Teacher ] → Jamie (ESL Teacher 365)’s video explains how to begin teaching online in 2025, main pathways (companies, marketplaces, freelance), key requirements (TEFL, technology, niche), and tips for beginners, especially for non-native teachers. How much can you make? Costs depend on the subject and the tutor’s level of expertise. Most tutors on Upwork charge $20–$40/hr , while in-person, 1:1 coaching in Europe could go for $100/hr+, and up to $200/hr. The most lucrative tutoring markets include tutoring STEM, software, data science, AI, ML, and no-code. Where working freelance finally feels effortless! When you work with Ruul , you will avoid all of that usual freelancing nonsense: Get your invoice in a few seconds (VAT is calculated automatically). Sell your services in 190 countries and 140 currencies, even crypto! Showcase your portfolio, services, subscriptions, and products. All in one Space. Get paid directly to your bank within 1 day, or on the spot with crypto. Ruul removes the roadblocks for ease of freelancing. Sign up now , join thousands of other independents, and get paid in 2025 how you deserve! FAQs 1. What is the highest-paid freelance job? AI and blockchain engineers had the highest earnings in 2025, while making $150-$200/hr. These freelance professionals build core systems (AI platforms, smart contracts, and secure infrastructure) which are in constant demand due to the critical need in the global economy. 2. How much do freelance AI engineers make? Freelance AI engineers earn about $35-$160 an hour, while senior specialists in the field of MLOps or infrastructure earn more than $200 an hour. As more corporations begin using and scaling AI systems within their operations, the pay will continue to escalate. 3. What is best for freelancing? Software, AI, design work, copywriting, and digital marketing ranked highest for freelancers in 2025. These jobs combine creativity and tech, can pay extremely well ($20-$150+/hour), and will continue to be in demand for many years, even beyond the advent of AI. 4. Which skill is best for freelancing in 2025? AI, software, and cybersecurity skills ranked the highest for freelancing in 2025. Skills combining tech with creativity, like AI-powered coding or UX design work, will be highly sought after and hard to compete with on a global level. ABOUT THE AUTHOR Canan Başer Developing and implementing creative growth strategies. At Ruul, I focus on strengthening our brand and delivering real value to our global community through impactful content and marketing projects. More Essential web development tools for freelancers With so many resources and choices floating around, it can be very difficult to choose the best tools to use as a web developer. Read more Ruul Now Supports Cryptocurrency Payments for Freelancers Accept crypto payments as a freelancer! Ruul now supports Bitcoin, Ethereum, and stablecoin payouts—fast & global. Read more How to Sell Subscriptions Turn your services into steady monthly revenue: learn the best subscription models, smart pricing, and retention tactics that keep customers paying. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://www.fine.dev/blog/vibe-coding | Unleashing the Power of Vibe Coding Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Unleashing the Power of Vibe Coding Amidst rapidly evolving tech trends, vibe coding is emerging as a game-changer, redefining how we approach software development. An eye-opening statistic shows that tech companies boosting their engagement through non-traditional coding techniques see a 25% increase in productivity. The notion of vibe coding deviates from traditional coding paradigms, effortlessly blending AI integrations to enrich user experiences. As an expert insight from the Be10X workshop reveals, "The vibe of the session emphasizes integrating new AI tools," underscoring the potential for innovation when new technologies are embraced. Growing in popularity across platforms like Quora, users are increasingly intrigued by this dynamic coding style's applications and benefits. In a community discussion on Quora, participants expressed vibrant enthusiasm about the workshop's effective review, notably how vibe coding can be harnessed to create more engaging interfaces. With this compellingly adaptable method, developers in the US can enhance their projects, regardless of their coding experience level. These insights spotlight vibe coding’s disruptive promise in transforming how software is envisioned and crafted, establishing its relevance in today’s digital landscape. Understanding the Concept of Vibe Coding Vibe coding represents a paradigm shift in software development, emphasizing the integration of AI and non-traditional coding techniques to enhance user experience. Unlike traditional coding which relies on established programming languages and syntax, vibe coding leverages intuitive and natural language interactions, allowing developers to communicate desired outcomes rather than specific instructions. This approach democratizes coding by enabling individuals with varying levels of coding proficiency in the US to participate in the software development process, potentially increasing engagement and productivity. A key distinction between vibe coding and traditional coding lies in its adaptability and ease of use, making it accessible for those who might not be proficient in technical programming languages. By utilizing AI integrations, developers can use natural language prompts to generate complex code sets, streamlining the development process. Dr. Riya Kapoor from MIT highlights, “The use of AI tools in vibe coding significantly reduces the learning curve, allowing more intuitive interaction with coding environments.” As discussed in a Quora Discussion, the Be10X workshop exemplified how vibe coding can enhance creativity and efficiency by integrating advanced AI tools, setting it apart from conventional coding methods. Practical Applications of Vibe Coding Vibe coding, with its unique blend of intuitive interfaces and AI-driven processes, finds extensive applications across various industries. This innovative approach allows users to build complex applications, websites, and even sophisticated user interfaces without requiring deep technical knowledge. Below, we explore some real-world use cases: Application Development: Vibe coding simplifies the app development process by enabling developers to use natural language to guide the software creation process, thereby reducing the effort traditionally associated with code-writing. This is particularly useful in tech startups where resources may be limited, enabling quicker turnaround times for product launches. Websites: For marketing teams and content creators, vibe coding allows the rapid creation of interactive websites tailored to enhance user experience and engagement. By eliminating the need to understand intricate coding schemes, these professionals can focus more on their promotional strategies than on technical hurdles. User Engagement Strategies: Businesses prominently in consumer-facing industries, such as e-commerce, leverage vibe coding to create personalized user journeys by integrating AI analytics directly into web interfaces, thus boosting conversion rates through enhanced consumer interaction. Example 1: Tech Company Innovations Enhanced User Interfaces: Tech companies utilize vibe coding to innovate product interfaces, ensuring seamless user interaction and intuitive design integration. Product Design Efficiency: By streamlining coding tasks, vibe coding allows for faster prototype development, facilitating iterative design processes and reducing time-to-market. Example 2: Marketing Agencies Marketing agencies adopt vibe coding to expand brand reach and improve engagement strategies. Utilizing vibe coding, agencies can create engaging ad campaigns and interactive web content without exhaustive programming resources, thereby increasing brand visibility and customer interaction. As noted in a LinkedIn post, vibe coding also allows marketers to integrate sophisticated analytics and AI-driven insights into their projects, providing unprecedented levels of data-driven decision making. Example 1: Tech Company Innovations Enhanced User Interfaces: Tech companies utilize vibe coding to innovate product interfaces, ensuring seamless user interaction and intuitive design integration. Product Design Efficiency: By streamlining coding tasks, vibe coding allows for faster prototype development, facilitating iterative design processes and reducing time-to-market. Example 2: Marketing Agencies In the dynamic world of marketing, vibe coding is transforming the way agencies engage with audiences by expanding outreach and heightening brand awareness. Through personalized and curated interactions, marketing teams can tailor their communications to better resonate with target audiences, enhancing brand engagement significantly. This not only captivates potential customers but also builds stronger connections with existing clients. Moreover, vibe coding allows for the creation of interactive and immersive digital marketing campaigns. Agencies are leveraging these capabilities to construct compelling narratives that are both engaging and memorable. The flexibility of vibe coding means marketing teams can adapt their strategies swiftly, meeting the diverse needs of various demographics across multiple platforms. As a result, vibe coding is steadily becoming an integral part of the marketing toolkit, driving more effective and impactful marketing initiatives. Efficiency and Productivity with Vibe Coding Vibe coding's impact on efficiency and productivity in development environments is profound, primarily by streamlining operations and accelerating processes. By using a more intuitive approach to coding, developers can significantly increase their development speed, which is crucial in fast-paced tech industries where time-to-market is critical. This fast-paced coding style reduces the traditional complexities associated with software creation, allowing teams to focus more on creativity and innovation. Furthermore, vibe coding reduces unnecessary overhead by simplifying processes that are traditionally cumbersome, such as coding debugging and iterative testing. This reduction in complexity helps to eliminate bottlenecks commonly encountered in standard development workflows, facilitating a more productive work environment. With streamlined operations, development teams can allocate more resources to refining user experience and enhancing system functionalities, making vibe coding an essential tool for modern software projects. Integration with AI in Vibe Coding AI Tools for Natural Language Processing: Vibe coding leverages advanced AI tools to interpret natural language prompts and translate them into actionable code snippets. This capability allows individuals with minimal coding experience to engage with development processes, thus democratizing access to software creation. For example, simply describing a desired function in plain language can result in automatic code generation, drastically reducing the learning curve associated with traditional programming languages. Enhancing Creative Experience: Integrating AI into vibe coding not only simplifies the coding process but also enriches the creative experience. Developers can focus on innovation and conceptual experimentation without getting bogged down by syntax-specific details. According to industry experts, such as those mentioned in Twitter discussions, this form of AI integration represents the future of streamlined coding processes, significantly minimizing the time and effort required to bring creative ideas to fruition. Real-time Code Optimization: AI tools in vibe coding environments also facilitate real-time code optimization by suggesting improvements and detecting potential errors as they occur. This proactive approach enhances code quality and ensures the final product is both efficient and robust. By removing the need for extensive manual debugging, developers can maintain a fast development pace, which is essential in highly competitive markets. Impact of Vibe Coding on Software Development The rise of vibe coding is signaling notable shifts in software development dynamics, particularly affecting the roles of developers. Traditionally, developers have been responsible for both coding and creative aspects of software creation. However, as AI advancements integrate into vibe coding, developers are increasingly becoming orchestrators of creative processes. They now leverage AI to handle routine coding tasks, allowing them to focus more on strategic and innovative problem-solving. This shift emphasizes the continued importance of human expertise alongside AI assistance, as the human touch remains essential in areas such as design thinking and ethical considerations. Dr. Riya Kapoor, an AI researcher, suggests that vibe coding enhances software evolution by fostering a more collaborative environment, where human creativity and AI efficiency are united. This not only transforms traditional development cycles but also demands new capabilities from developers, thereby reshaping industry standards and expectations. Skills Required for Vibe Coding As the landscape of software development evolves with vibe coding, certain skills have become crucial for professionals in this field. First and foremost, prompt engineering is essential. This involves crafting effective queries or prompts to interact efficiently with AI systems, optimizing their responses to achieve the intended coding tasks. Professionals need to understand how to leverage natural language processing to guide AI in generating desired outcomes. Alongside prompt engineering, solution architecture skills are highly valued. This skill allows individuals to design robust frameworks that integrate vibe coding techniques seamlessly into existing systems. Solution architects must ensure that AI-generated solutions are not only innovative but also scalable and maintainable within the broader organizational context. This requires a deep understanding of both technical specifications and strategic business objectives. Furthermore, expertise in emergent coding techniques is becoming increasingly important. As vibe coding often involves unique, non-traditional approaches, familiarity with new methodologies and coding practices is crucial. Developers are now expected to be adept at embracing and applying cutting-edge coding tools and technologies, ensuring they remain competitive in this rapidly changing digital environment. Ethical and Creative Considerations in Vibe Coding In the evolving world of vibe coding, the interplay between AI efficiency and human creativity is pivotal. As AI continues to automate processes once dominated by human coders, a key ethical consideration lies in maintaining creative integrity. AI, though powerful, can overshadow human input if not utilized responsibly. The challenge for developers is to ensure that AI's contribution complements rather than compromises human creativity, preserving the unique, personal touch that distinguishes truly innovative projects. Moreover, responsible coding practices are vital within vibe coding. As developers infuse AI-driven tools into their workflow, there's a need to balance efficiency with ethical considerations such as bias, transparency, and accountability. AI can inadvertently perpetuate biases present in training data, which raises ethical implications regarding fairness and inclusivity in software solutions. Developers must adopt rigorous testing and validation phases to mitigate these risks, ensuring that their code aligns with ethical standards and promotes positive social impact. Creativity in vibe coding transcends conventional boundaries by merging technical prowess with artistic expression. The creative potential unlocked by AI doesn't replace human creativity but enhances it, allowing coders to explore new dimensions and innovate beyond traditional confines. This intersection encourages a holistic approach where developers are not just technicians but artists who craft code that resonates on a human level, making the integration of AI a true partnership in the creative process. The Future of Vibe Coding: What to Expect Unleashing the Power of Vibe Coding Vibe coding is set to revolutionize the coding landscape through unique approaches that leverage AI and human creativity. As industries continue to integrate digital transformation, the potential for vibe coding expands, promising streamlined processes and enhanced user engagements. One of the most significant expectations for vibe coding's future is industry expansion. As sectors like gaming, tech, and marketing adopt vibe coding, the demand for developers skilled in this novel approach will increase dramatically. This shift not only alters how coding is perceived but also positions vibe coding as a standard in software development practices. Digital Transformation and Long-term Adaptation The ongoing digital transformation is pivotal to vibe coding's trajectory. Companies worldwide are harnessing vibe coding to accelerate their transformation journeys, ensuring they remain competitive in a rapidly evolving market. The adaptability of vibe coding ensures long-term robustness and relevance, making it a critical component of future technological advancements. Moreover, as natural language processing and AI tools become more precise, we can expect vibe coding to evolve further. This evolution will likely make the coding process more intuitive and accessible, reducing entry barriers for new developers and fostering a more inclusive environment for innovation. FAQs on Vibe Coding What is vibe coding? Vibe coding is an emerging programming paradigm that integrates artificial intelligence, human creativity, and interactive code creation to streamline development processes and enhance user experiences. Unlike traditional coding, which relies heavily on predefined syntax and rules, vibe coding uses dynamic, context-aware coding practices that allow for spontaneous interaction and AI-driven adaptability. This results in more intuitive and creative solutions, making coding accessible to individuals with varying levels of technical expertise. What is Vibecode? Vibecode is a tool designed to assist developers by integrating AI into the coding process, making it more efficient and user-friendly. It utilizes AI assistance to interpret natural language prompts and transforms them into executable code, facilitating a more fluid and interactive development environment. Vibecode empowers users to focus on their creative ideas rather than the technical complexities of coding. Why do people use vibe coding tools? Developers are increasingly adopting vibe coding tools due to their ability to enhance creativity, streamline workflows, and reduce the complexity of code generation. These tools enable more efficient collaboration between human designers and AI, allowing for rapid prototyping and iterative development. The interactive nature of vibe coding fosters a more engaging and less daunting technical landscape, making it appealing to both novices and seasoned professionals alike. How can vibe coding improve my project development? Vibe coding can significantly boost project development by introducing AI-driven efficiencies that reduce tedious coding tasks and enhance creative problem-solving. By automating routine coding processes, developers can focus on more strategic and innovative aspects of their projects. Furthermore, the integration of natural language processing allows for a more intuitive and collaborative development experience, enhancing overall productivity and user engagement. What impact does vibe coding have on the software development landscape? Vibe coding is transforming the software development landscape by redefining developer roles and emphasizing the importance of human creativity and AI collaboration. By shifting focus from manual coding to AI-enhanced creative processes, vibe coding encourages innovation and adaptability. As a result, developers are empowered to produce more dynamic and responsive software, positioning vibe coding as a critical factor in the future of technology and software engineering. Conclusion The emerging paradigm of vibe coding is revolutionizing software development by integrating artificial intelligence with human creativity to produce intuitive and dynamic coding solutions. Unlike traditional, rule-based coding methodologies, vibe coding employs dynamic, context-aware practices that foster seamless interaction between developers and code. Central to this transformation is the tool Vibecode, which leverages AI to interpret natural language into executable code, allowing developers to focus on creativity rather than technical details. This results in an inclusive environment where users of all skill levels can contribute to, and benefit from, this novel approach to coding. The appeal of vibe coding tools lies in their ability to enhance creativity while simplifying the coding process. With AI's capability to automate monotonous coding tasks, developers can focus on strategic and innovative roles, which boosts productivity and fosters a collaborative ethos. Vibe coding does not merely improve individual projects; it is reshaping the entire software development landscape by emphasizing human-AI collaboration. As technology continues to advance, the role of vibe coding will only grow, urging us to embrace and adapt to these changes. This integration of AI and creativity not only empowers developers to create more dynamic software but also sets the stage for future innovations in artificial intelligence and programming techniques. 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:48:24 |
https://www.fine.dev/blog/captive-portal | Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Creating a Custom Captive Portal for Home WiFi with Raspberry Pi and AI Magic Table of Contents What is a Captive Portal? Capabilities of a Captive Portal You Will Need Why Raspberry Pi? RaspAP: Simplifying WiFi Management Why Do We Need RaspAP for a Captive Portal? Why Is an Ethernet Cable Needed? Introduction to Nodogsplash Customizing the Splash Page Generating a Stunning Splash Page Image Customizing HTML & CSS with Fine’s AI Agents Test Your Customized Page Final Words Ever wondered about the magic behind those WiFi login pages that greet you at places like Starbucks? You know the drill – you sip your coffee, pull out your laptop or smartphone, connect to the WiFi, and voilà! Suddenly, you're redirected to a page where you need to log in or accept terms before diving into the digital realm. It's a seamless experience we've all grown accustomed to, but have you ever thought about creating one yourself? Well, probably not. But I did! And there’s a good reason why. I live on Ruppin Street, and as a joke, I call my apartment the “Royal Ruppin Relax” as if it was some kind of boutique hotel. I wanted to create my own customized WiFi login portal so that guests at my home would get a surprise when they log in. That's what we're diving into today: In this tutorial, I’ll show you how to build and customize your own captive portal – a digital gateway that not only controls access but also acts as a canvas for your creativity and a great conversation starter! With a Raspberry Pi and a bit of AI magic, you can transform your mundane WiFi login into an engaging, personalized experience. But First, What is a Captive Portal? The term might sound technical, but in essence, it's the official name for those login pages you encounter when connecting to a public WiFi network. Most captive portals are like virtual gatekeepers, ensuring that only authorized users gain access to a WiFi network. But this interface can be a powerful tool, not just for authentication, but also for conveying information and engaging users creatively. Capabilities of a Captive Portal: Authentication : Captive portals authenticate users by prompting them to enter login credentials or accept terms and conditions. This process ensures that the network is used responsibly and securely. Customization : One of the features of a captive portal is its customization potential. Businesses often use captive portals to showcase their branding, display advertisements, or provide essential information. Access Control : Captive portals enable administrators to control the type of access users have to the internet. For instance, they can restrict certain websites, limit bandwidth, or provide different levels of access based on user roles. So technically, you can configure it such that your devices are prioritized bandwidth-wise on your WiFi network, but that’s up to you. 😉 Now, let's move forward and create our own captivating captive portal. The creative journey begins! You Will Need: Before we dive into creating your personalized captive portal, let's gather the essentials: Raspberry Pi : The heart of your project, this versatile microcomputer will serve as the central hub for your captive portal setup. MicroSD Card : You'll need a microSD card (at least 16GB) to store the operating system and other necessary files. Power Supply : Ensure you have a compatible power supply for your Raspberry Pi to keep it running smoothly. Ethernet Cable : You'll require an Ethernet cable to establish a wired connection between your Raspberry Pi and your internet router. Why Raspberry Pi? In the landscape of network devices, not all routers are created equal. Many standard routers lack native support for captive portals, making it challenging to implement this feature seamlessly. When faced with this limitation, we turn to Raspberry Pi as a solution. This credit-card-sized, affordable computer will allow you to run complementary network-related software and overcome the constraints of your existing router. If you've never used your Raspberry Pi before, set it up according to the [simple instructions on the official website]( https://www.raspberrypi.com/documentation/computers/getting-started.html ). Our next step would be installing RaspAP. RaspAP: Simplifying WiFi Management Now that you have your Raspberry Pi ready, it's time to introduce RaspAP. RaspAP is an open-source software that simplifies the process of setting up a WiFi access point on your Raspberry Pi. Think of it as the bridge between your Raspberry Pi and the devices that will connect to your WiFi. [To install RaspAP, simply follow the instructions on the official website]( https://raspap.com/#quick ). Why Do We Need RaspAP for a Captive Portal? To create a captive portal, we need a WiFi network that's entirely under our control. RaspAP allows you to do just that: while Raspberry Pi provides the hardware backbone, RaspAP adds the user-friendly interface, making it incredibly easy to configure your WiFi network settings. You can customize the network name (SSID), set up passwords, and manage the connection preferences. RaspAP handles the complexities of access points, security protocols, and IP addresses, ensuring that the WiFi network your guests connect to operates smoothly and securely. Why Is an Ethernet Cable Needed? You might be wondering about the necessity of an Ethernet cable in a wireless setup. When you connect your Raspberry Pi to your router using an Ethernet cable, you establish a stable, wired connection. This wired connection serves as the foundation upon which you'll build your customized WiFi network. Introduction to Nodogsplash Now that you've set up your WiFi access point with RaspAP, it's time to introduce Nodogsplash into the mix. Nodogsplash is a high-performance Captive Portal and the key player in bringing our idea to life. Nodogsplash offers by default a simple splash page that we will customize later. Install and configure Nodogsplash by following the easy tutorial on RaspAP’s official documentation. If you are successful, you will see this page: Nodogsplash Customizing the Splash Page Here comes the exciting part! Now we will customize the captive portal page to our liking. Customizing the splash page might seem like a challenging task for two reasons: Nodogsplash Rules : Nodogsplash has specific rules that the splash page must adhere to, ensuring functionality. Deviating from these rules might result in our captive portal not working, making it crucial to comply with them. CDCs Force Us to Work with HTML and CSS Only, No JS : A CDC (Captive Detection Client) is a component in operating systems or devices that helps in detecting whether a network has a captive portal. When a device connects to a WiFi network, the CDC functionality checks if the network connection is restricted by a captive portal. If it detects a captive portal, the device redirects the user to the portal's login or authentication page. Most of the CDCs don’t allow JS or even href s, so we will have to work with HTML and CSS only to make a beautiful captive portal. Manipulating HTML & CSS requires a good understanding of their syntax, making customization challenging for many users. To overcome these challenges, we will use some ✨ AI magic ✨. Generating a Stunning Splash Page Image First, we will obtain a stunning boutique hotel picture with Leonardo AI: an innovative tool that generates realistic and visually appealing images from prompts. Here’s how you can use it: [Visit Leonardo AI : Go to the Leonardo AI website and click on “AI Image Generation”]( https://leonardo.ai/ ). Generate Your Image : Using Leonardo AI's intuitive interface, generate an image that resonates with your captive portal's ambiance. You can tweak various settings until you find the perfect image. My prompt was: “A beautiful boutique hotel next to the sea, palms and luxurious atmosphere, beautiful day”. Download Your Image : Once satisfied with the generated image, download it to your computer. This stunning visual will serve as the backdrop for your customized splash page. Customizing HTML & CSS with Fine’s AI Agents Now that we have the image, we can customize the default HTML and CSS. To do that we will use Fine’s AI agents, which can quickly get us to the point: Deploy an HTML Agent to Your Workspace : Open Fine and click “Deploy Agent”. Upload the YAML file of the HTML Agent, found [here]( https://github.com/finehq/fine/blob/main/html-agent/html-agent.yml ). This agent specializes in HTML and CSS tasks. Create a Project : Place the default Nodogsplash files in a folder, together with your generated image. Run git init inside the folder and then add it as a new project to Fine. Create a Notebook and Specify the Changes You Want to Make : The agents work according to a plan specified in a notebook. I wrote a short description of my wanted task and connected the notebook to the project. Run the Agent and Make Some Final Tweaks : The agent will start changing the HTML and CSS pages according to the specifications in your notebook. If it isn’t exactly to your liking, make the final changes and that’s it! With Fine’s AI agents, the process of customizing your splash page becomes intuitive and efficient. You don’t need to deal with HTML and CSS, and you don’t need to learn the rules of Nodogsplash. You easily transform a basic login interface into a visually appealing and engaging portal that captivates users, providing a memorable WiFi experience. Test Your Customized Page After Fine generates the code, test your customized splash page. To do that, upload your files to the Raspberry Pi and replace the default splash page files in /etc/Nodogsplash/htdocs/ . Ensure that it complies with Nodogsplash rules and provides a seamless user experience. Make any necessary adjustments until you achieve the desired result. Final Words By integrating Raspberry Pi, RaspAP, Nodogsplash, Fine, and Leonardo AI, you've not only created a functional captive portal but also unleashed your creativity without the headache of coding intricacies. This project not only enhances your technical skills but also transforms your WiFi experience at home. Feel free to experiment further and explore the endless possibilities of customization, all thanks to the power of innovative AI technology. Now it's your turn to improve your home WiFi experience! Get creative, get connected, and let your imagination run wild – AI will take care of the rest! 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:48:24 |
https://www.fine.dev/blog/how-to-use-cursor | How to Use Cursor AI for Software Development Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back How to Use Cursor AI for Software Development Introduction Cursor AI is a tool designed to enhance the developer experience by making coding more efficient. Cursor AI is particularly well-suited for those transitioning from Visual Studio Code, as it offers a familiar environment along with powerful AI-driven capabilities that simplify development tasks. The official documentation for Cursor AI provides detailed steps on how to migrate from VS Code , making it easy for developers to get started. Cursor AI is an emerging tool that is designed to simplify and accelerate the software development process. By leveraging advanced AI algorithms, Cursor AI acts as an intelligent assistant for developers, helping them write code faster, resolve bugs more efficiently, and automate many repetitive tasks that traditionally take up valuable time. In this blog post, we'll explore how to use Cursor AI effectively for software development and how it can boost your productivity. If you're curious about the ways AI can make your development process easier and more efficient, read on to discover Cursor AI's features and the practical steps to get started. If you're an experienced developer looking to get the most out of AI tools, consider using Cursor together with Fine . Table of Contents Introduction What Can Cursor AI Do? How Cursor AI Can Make You More Productive Practical Steps to Use Cursor AI Cursor AI vs. Fine Cursor AI vs. Traditional Coding Best Practices for Using Cursor AI Effectively Limitations of Cursor AI Why Fine is the Perfect Complement to Cursor AI Conclusion Bibliography What Can Cursor AI Do? Cursor is packed with capabilities that can assist developers with writing code through AI: Code Suggestions and Autocomplete : Cursor AI can provide context-aware code suggestions that save time when writing repetitive lines of code. Code Refactoring : Cursor AI assists in restructuring existing code to improve readability and efficiency without changing its functionality. Documentation Generation : It can automatically generate documentation for your code, making it easier for teams to understand the work. How Cursor AI Can Make You More Productive Faster Code Writing : By leveraging Cursor AI’s autocomplete and code generation features, developers can write code significantly faster, especially for repetitive or boilerplate sections. Error Reduction : With real-time error detection and debugging suggestions, Cursor AI helps reduce the number of errors that make it into production, leading to more stable software. Better Code Quality : Cursor AI's refactoring tools help maintain clean and efficient code, which is essential for the long-term maintainability of projects. Practical Steps to Use Cursor AI Migrate from VS Code : If you’re transitioning from Visual Studio Code, follow the Cursor AI migration guide to ensure a seamless setup. Authenticate and Activate : Sign in with your account to activate the Cursor AI services. Use Comments for Guidance : Write natural language comments to guide Cursor AI, such as "// Create a login function using OAuth." Cursor AI will respond with relevant code suggestions. Review and Adjust : Always review Cursor AI's code suggestions to ensure they match your project's requirements and adjust as necessary. Utilize the Debugging Features : Use Cursor AI to assist with debugging; simply highlight problematic code, and Cursor AI will suggest possible fixes. Cursor AI vs. Fine The main difference between Cursor AI and Fine lies in their approach to enhancing developer productivity. Cursor AI is primarily focused on live editing as you work, providing real-time suggestions and assistance. In contrast, Fine is designed to complete entire tasks, helping developers move beyond individual lines of code to automate larger parts of the workflow. This makes Fine particularly powerful for managing and improving existing codebases, where comprehensive automation can deliver significant productivity gains. Small-medium teams who need to move fast use Fine, whilst solo-developers working on personal projects tend to like Cursor for getting started. Cursor AI vs. Traditional Coding Using Cursor AI is different from traditional coding approaches in several key ways: Automation : Cursor AI automates repetitive coding tasks, freeing up time for developers to focus on more complex aspects of the project. Instant Guidance : Traditional coding often requires searching for help or examples, whereas Cursor AI can provide immediate suggestions based on the context of your code. Reduced Learning Curve : For newer developers, Cursor AI can help bridge the gap by providing real-time assistance and explaining code, making it easier to learn best practices. Best Practices for Using Cursor AI Effectively Always Validate Code : Even though Cursor AI is helpful, it’s essential to manually validate the generated code to avoid potential errors or vulnerabilities. Understand the Suggested Code : Don’t just copy and paste; strive to understand what Cursor AI is suggesting to ensure it aligns with your project goals. Use AI for Routine Tasks : Cursor AI is most effective when used for routine tasks, boilerplate code, and debugging, allowing developers to spend more time on creative problem-solving. Limitations of Cursor AI While Cursor AI is an advanced tool, it does have limitations: Scalability Challenges with Larger Codebases : Cursor AI's efficiency may diminish when working with larger codebases. While codebase indexing helps, the complexity and interdependencies of large-scale projects can result in less accurate suggestions or longer processing times. Additionally, managing AI-assisted changes in large codebases requires careful coordination to avoid introducing inconsistencies. Limitations in Big Team Environments : In larger teams, collaboration often involves many developers working on different parts of the code simultaneously. Cursor AI's suggestions are contextually accurate but might not take into account recent changes made by other team members. This can lead to potential conflicts or outdated suggestions that may not align with the latest version of the project. Context Awareness : Cursor AI leverages codebase indexing to better understand the project context, which significantly improves the accuracy of its suggestions. However, it may still occasionally provide suggestions that do not perfectly align with the broader codebase, especially for highly complex or unique project structures. You can learn more about codebase indexing in the Cursor AI documentation . Potential Over-Reliance : Developers may become overly reliant on AI for writing code, which can reduce their ability to solve problems independently. Security Concerns : The generated code may sometimes include vulnerabilities if not reviewed carefully, as AI does not always prioritize secure coding practices. Common Issues : Developers may sometimes encounter issues when using Cursor AI, such as difficulties in configuration or unexpected behavior. Cursor AI's common issues guide provides solutions to frequently reported problems, ensuring a smoother experience for developers. Migration Complexity : While Cursor AI aims to be easy to use, developers transitioning from other IDEs may find it challenging without following the detailed migration documentation . Why Fine is the Perfect Complement to Cursor AI While Cursor AI is great for improving coding efficiency, Fine offers features that take your software development process to the next level. Fine helps developers by highlighting potential bugs, checking for vulnerabilities, and providing comprehensive documentation that ensures your code is secure, maintainable, and reliable. These additional features are designed to fill the gaps that Cursor AI might leave, making Fine an ideal companion to Cursor AI for developers who want to build secure, high-quality software. Conclusion Cursor AI is a powerful tool for developers seeking to improve their productivity and code quality. By offering features like code suggestions, debugging assistance, and automated documentation, Cursor AI can significantly enhance the development process. However, like any tool, it should be used thoughtfully, with human oversight to ensure the code meets quality and security standards. Ready to accelerate your software development process? Try Cursor AI today and see the difference it can make in your workflow. Bibliography Cursor AI Official Website Cursor AI Documentation DataCamp - Cursor AI Code Editor Tutorial Medium - Step-by-Step Guide to Setting Up Cursor AI YouTube - Cursor AI Overview 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:48:24 |
https://www.fine.dev/blog/ai-replace-programmers-de | Wird KI Programmierer ersetzen? Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Wird KI Programmierer ersetzen? Die Frage „Wird KI Programmierer ersetzen?“ kursiert in Technologiekreisen und löst sowohl Begeisterung als auch Besorgnis aus. Da KI-gestützte Codierungstools immer fortschrittlicher werden, stellt sich die Frage: Wo bleibt da der menschliche Entwickler? Lassen Sie uns die Perspektiven führender Stimmen in diesem Bereich erkunden. Das Argument für die Revolution der Entwicklung durch KI KI transformiert die Softwareentwicklung KI verändert zweifellos unsere Herangehensweise an die Softwareentwicklung. Tools wie GitHub Copilot und Plattformen wie Fine ermöglichen es Entwicklern, sich wiederholende Aufgaben zu rationalisieren. Wie ein Artikel feststellt , „KI kann Code-Snippets oder ganze Funktionen basierend auf natürlichen Spracheingaben erzeugen und so die Entwicklung rationalisieren“ (The Tech Bible). Codierung zugänglicher machen Diese Tools sparen nicht nur Zeit, sondern machen das Codieren auch zugänglicher. Beispielsweise kann KI Anfängern mit Echtzeit-Anleitungen helfen und wie ein persönlicher Mentor agieren Techies Spot . Dies senkt die Eintrittsbarriere für die Softwareentwicklung und öffnet mehr Menschen die Tür zur Teilnahme an der Branche. Wird KI Programmierer vollständig ersetzen? Der Konsens scheint ein klares Nein zu sein. Während KI bei der Automatisierung sich wiederholender Aufgaben glänzt, fehlt ihr die Kreativität, Intuition und Problemlösungsfähigkeit, die menschliche Programmierer mitbringen. Wie Jonathan's Musings erklärt, „KI könnte Code generieren, aber das Verständnis komplexer Anforderungen und deren Übersetzung in robuste Lösungen erfordert immer noch menschliche Einsicht.“ Peter H. Diamandis stimmt diesem Gefühl zu und erklärt: „Anstatt Programmierer zu ersetzen, wird KI als Multiplikator wirken und es Entwicklern ermöglichen, sich auf höherwertige Aufgaben zu konzentrieren.“ Wann wird KI Programmierer ersetzen? Die Frage, wann, wenn überhaupt, KI Programmierer ersetzen wird, ist komplex. Aktuelle KI-Modelle, obwohl leistungsstark, haben erhebliche Einschränkungen. Sie fehlen echtes Verständnis, generieren oft falschen oder unsicheren Code und erfordern menschliche Aufsicht, um Qualität und Zuverlässigkeit zu gewährleisten. Diese Einschränkungen bedeuten, dass KI noch weit davon entfernt ist, menschliche Programmierer vollständig zu ersetzen. Die Entwicklung der KI-Fähigkeiten KI entwickelt sich schnell weiter, und es ist möglich, dass zukünftige Iterationen komplexere Entwicklungsaufgaben bewältigen können. Der Zeitrahmen dafür ist jedoch ungewiss. Experten glauben, dass KI menschliche Entwickler weiterhin ergänzen wird, anstatt sie in absehbarer Zukunft vollständig zu ersetzen. Die menschliche Fähigkeit, Kontext zu verstehen, Urteile zu fällen und Probleme kreativ zu lösen, bleibt unersetzlich. KI als Partner der Programmierer Kollaborative Rolle der KI Die vielversprechendste Perspektive auf KI in der Programmierung ist ihre Rolle als kollaborativer Partner. Entwickler können KI nutzen, um Routineaufgaben zu automatisieren, Standardcode zu generieren und sogar komplexe Systeme zu debuggen. Laut Billy Newport werden „KI-Codierungsassistenten nahtlos in Tools wie GitHub integriert und als schnelle und effiziente Mitarbeiter agieren, anstatt als Ersatz“ (Billy Newport). Fine’s KI-Entwicklerlösung Die KI-Entwicklerlösung von Fine ist ein perfektes Beispiel für diese Partnerschaft in Aktion. Mit Funktionen wie Live-Vorschauen und KI-Workflows ermöglicht Fine Entwicklern, Code in Echtzeit zu schreiben, zu testen und zu verfeinern. Durch die Automatisierung des Banalen können sich Entwickler auf Innovation und Problemlösung konzentrieren. Fazit Wird KI also Programmierer ersetzen? Die Antwort ist nein – aber sie wird sie produktiver, kreativer und wirkungsvoller machen als je zuvor. KI ist kein Ersatz für menschliche Genialität; es ist ein Werkzeug, um sie zu verbessern. Während sich die Branche weiterentwickelt, werden Plattformen wie Fine die Führung übernehmen und Entwicklern helfen, mehr mit weniger Reibung zu erreichen. Fine ist eine ideale Lösung für Startups, die ihre Entwicklungsprozesse optimieren und die Produktivität maximieren möchten, ohne große Teams zu benötigen. Durch die Automatisierung sich wiederholender Aufgaben ermöglicht Fine Startup-Teams, sich auf Innovation zu konzentrieren und ihre Markteinführungszeit zu verkürzen. Interessiert, es auszuprobieren? Melden Sie sich noch heute bei Fine an und sehen Sie, wie KI Ihre Codierungsreise stärken und Ihrem Startup helfen kann, effizient zu skalieren. Mit KI in Ihrem Werkzeugkasten sieht die Zukunft der Programmierung vielversprechender aus als je zuvor. 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:48:24 |
https://docs.suprsend.com/docs/developer/management-api | Management API - SuprSend, Notification infrastructure for Product teams Skip to main content SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Community Trust Center Platform Status Postman Collection Developer Resources Overview Updates and Versioning Versioning and Support Policy SDK Changelog Authentication API Keys and Secrets Service Token Best Practices for Key & Token Management MCP Overview BETA Quickstart Tool List Building with LLMs Security Security SDKs and APIs SDKs Management API REST API Postman Collection Features Validate Trigger Payload Type Safety Testing Testing the Template Test Mode Monitoring and Logging Logs Data Out Contact Us Get Started SuprSend, Notification infrastructure for Product teams home page Search... ⌘ K Ask AI Contact Us Get Started Get Started Search... Navigation SDKs and APIs Management API Documentation API Reference Management API CLI Reference Developer Resources Changelog Documentation API Reference Management API CLI Reference Developer Resources Changelog SDKs and APIs Management API OpenAI Open in ChatGPT Use the SuprSend Management API to programmatically manage and deploy notification assets across workspaces. OpenAI Open in ChatGPT Overview The SuprSend Management API lets you programmatically manage assets such as: Workflows, Templates, Schemas, Translations. This API is designed for asset management and cross-workspace operations (e.g., promoting workflows from Staging → Production). The Management API only provides access to resources managed in the SuprSend Dashboard . For all other operations (e.g., users, triggering workflows, managing tenants or preferences), use the REST API Reference . Authentication Management APIs require a Service Token for authentication. Generate one from Dashboard → Account Settings → Service Tokens . Include the token in the Authorization header as ServiceToken <YOUR_SERVICE_TOKEN> : Copy Ask AI curl -H "Authorization: ServiceToken <YOUR_SERVICE_TOKEN>" \ -H "Content-Type: application/json" \ https://management-api.suprsend.com/v1/workflows Verify authentication Run a test request with your Service Token: Copy Ask AI curl -H "Authorization: ServiceToken <YOUR_SERVICE_TOKEN>" \ -H "Content-Type: application/json" \ https://management-api.suprsend.com/v1/workflows API Reference For a complete list of endpoints and request/response schemas, see the Management API Reference . Postman Collection The fastest way to get started is by exploring the APIs in our Postman Collection . Was this page helpful? Yes No Suggest edits Raise issue Previous REST API Learn how to use SuprSend REST APIs to sync users and send notifications at scale. Next ⌘ I x github linkedin youtube Powered by On this page Overview Authentication Verify authentication API Reference Postman Collection | 2026-01-13T08:48:24 |
https://dev.to/hb/react-vs-vue-vs-angular-vs-svelte-1fdm#google-trends | React vs Vue vs Angular vs Svelte - 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 Henry Boisdequin Posted on Nov 29, 2020 React vs Vue vs Angular vs Svelte # react # vue # angular # svelte In this article, I'm going to cover which of the top Javascript frontend frameworks: React, Vue, Angular, or Svelte is the best at certain factors and which one is the best for you. There are going to be 5 factors which we are going to look at: popularity, community/resources, performance, learning curve, and real-world examples. Before diving into any of these factors, let's take a look at what these frameworks are. 🔵 React Developed By : Facebook Open-source : Yes Licence : MIT Licence Initial Release : March 2013 Github Repo : https://github.com/facebook/react Description : React is a JavaScript library for building user interfaces. Pros : Easy to learn and use Component-based: reusable code Performant and fast Large community Cons : JSX is required Poor documentation 🟢 Vue Developed By : Evan You Open-source : Yes Licence : MIT Licence Initial Release : Feburary 2014 Github Repo : https://github.com/vuejs/vue Description : Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web. Pros : Performant and fast Component-based: reusable code Easy to learn and use Good and intuitive documentation Cons : Fewer resources compared to a framework like React Over flexibility at times 🔴 Angular Developed By : Google Open-source : Yes Licence : MIT Licence Initial Release : September 2016 Github Repo : https://github.com/angular/angular Description : Angular is a development platform for building mobile and desktop web applications using Typescript/JavaScript and other languages. Pros : Fast server performance MVC Architecture implementation Component-based: reusable code Good and intuitive documentation Cons : Steep learning curve Angular is very complex 🟠 Svelte Developed By : Rich Harris Open-source : Yes Licence : MIT Licence Initial Release : November 2016 Github Repo : https://github.com/sveltejs/svelte Description : Svelte is a new way to build web applications. It's a compiler that takes your declarative components and converts them into efficient JavaScript that surgically updates the DOM. Pros : No virtual DOM Truly reactive Easy to learn and use Component-based: reusable code Cons : Small community Confusion in variable names and syntax The 1st Factor: Popularity All of these options are extremely popular and are used by loads of developers. I'm going to compare these 4 frameworks in google trends, NPM trends, and the Stackoverflow 2020 survey results to see which one is the most popular. Note: Remember that popularity doesn't mean it has the largest community and resources. Google Trends Google trends measures the number of searches for a certain topic. Let's have a look at the results: Note: React is blue, Angular is red, Svelte is gold, Vue is green. The image above contains the trends for these 4 frontend frameworks over the past 5 years. As you can see, Angular and React are by far the most searched, with React being searched more than Angular. While Vue sits in the middle, Svelte is the clear least searched framework. Although Google Trends gives us the number of search results, it may be a bit deceiving so lets of on to NPM trends. NPM Trends NPM Trends is a tool created by John Potter, used to compare NPM packages popularity. This measures how many times a certain NPM package was downloaded. As you can see, React is clearly the most popular in terms of NPM package downloads. Angular and Vue are very similar on the chart, with them going back and forth while Svelte sits at the bottom once again. Stackoverflow 2020 Survey In February of 2020, close to 65 thousand developers filled out the Stackoverflow survey. This survey is the best in terms of what the actual developer community uses, loves, dreads, and wants. Above is the info for the most popular web frameworks. As you can see React and Angular are 2nd and 3rd but React still has a monumental lead. Vue sits happily in the middle but Svelte is nowhere to be seen. Above are the results for the most loved web frameworks. As you can see, React is still 2nd and this time Vue sits in 3rd. Angular is in the middle of the bunch, but yet again Svelte is not there. Note: Angular.js is not Angular Above are the most dreaded web frameworks. As you can see React and Vue are towards the bottom (which is good) while Angular is one of the most dreaded web frameworks. This is because React and Vue developers tend to make fun of Angular, mostly because of its predecessor Angular.js . Svelte is not on this list which is good for the framework. Explaining Svelte's "Bad" Results Some may say that Svelte performed poorly compared to the other 3 frameworks in this category. You would be right. Svelte is the new kid on the block, not many people are using it or know about it. Think of React, Vue, or Angular in their early stages: that's what Svelte is currently. Most of these frontend frameworks comparisons are between React, Vue, or Angular but since I think that Svelte is promising, I wanted to include it in this comparison. Most of the other factors, Svelte is ranking quite highly in. Wrapping up the 1st Factor: Popularity From the three different trends/surveys, we can conclude that React is the most popular out of the three but with Vue and Angular just behind. Popularity: React Angular Vue Svelte Note: it was very hard to choose between Angular and Vue since they are very close together but I think Angular just edges out Vue in the present day. The 2nd Factor: Community & Resources This factor will be about which framework has the best community and resources. This is a crucial factor as this helps you learn the technology and get help when you are stuck. We are going to be looking at the courses available and the community size behind these frameworks. Let's jump right into it! React React has a massive amount of resources and community members behind it. Firstly, they have a Spectrum chat which usually has around 200 developers looking to help you online. Also, they have a massive amount of Stackoverflow developers looking to help you. There are 262,951 Stackoverflow questions on React, one of the most active Stackoverflow tags. React also has a bunch of resources and tutorials. If you search up React tutorial there will be countless tutorials waiting for you. Here are my recommended React tutorials for getting started: Free: https://youtu.be/4UZrsTqkcW4 Paid: https://www.udemy.com/course/complete-react-developer-zero-to-mastery/ Vue Vue also has loads of resources and a large community but not as large as React. Vue has a Gitter chat with over 19,000 members. In addition, they have a massive Stackoverflow community with 68,778 questions. Where Vue really shines is its resources. Vue has more resources than I could imagine. Here are my recommended Vue tutorials for getting started: Free: https://youtu.be/e-E0UB-YDRk Paid: https://www.udemy.com/course/vuejs-2-the-complete-guide/ Angular Angular has a massive community. Their Gitter chat has over 22,489 people waiting to help you. Also, their Stackoverflow questions asked is over 238,506. Like React and Vue, Angular has a massive amount of resources to help you learn the framework. A downfall to these resources is that most of them are outdated (1-2 years old) but you can still find some great tutorials. Here are my recommended Angular tutorials for getting started: Free: https://youtu.be/Fdf5aTYRW0E Paid: https://www.udemy.com/course/the-complete-guide-to-angular-2/ Svelte Svelte has a growing community yet still has many quality tutorials and resources. An awesome guide to Svelte and their community is here: https://svelte-community.netlify.app . They have a decent Stackoverflow community with over 1,300 questions asked. Also, they have an awesome Discord community with over 1,500 members online on average. Svelte has a lot of great tutorials and resources, despite it only coming on to the world stage quite recently. Here are my recommended Svelte tutorials for getting started: Free: https://www.youtube.com/watch?v=zojEMeQGGHs&list=PL4cUxeGkcC9hlbrVO_2QFVqVPhlZmz7tO Paid: https://www.udemy.com/course/sveltejs-the-complete-guide/ Wrapping up the 2nd Factor: Community & Resources From just looking at the Stackoverflow community and the available resources, we can conclude that all of these 4 frameworks have a massive community and available resources. Community & Resources: React Vue & Angular* Svelte *I really couldn't decide between the two! The 3rd Factor: Performance In this factor, I will be going over which of these frameworks are the most performant. There are going to be three main components to this factor: speed test, startup test, and the memory allocation test. I will be using this website to compare the speed of all frameworks. Speed Test This test will compare each of the frameworks in a set of tasks and find out the speed of which they complete them. Let's have a look at the results. As you can see, just by the colours that Svelte and Vue are indeed the most performant in this category. This table has the name of the actions on one side and the results on the other. At the bottom of the table, we can see something called slowdown geometric mean. Slowdown geometric mean is an indicator of overall performance and speed by a framework. From this, we can conclude that this category ranking: Vue - 1.17 slowdown geometric mean Svelte - 1.19 slowdown geometric mean React & Angular - 1.27 slowdown geometric mean Startup Test The startup test measures how long it takes for one of these frameworks to "startup". Let's see the table. As you can see, Svelte is the clear winner. For every single one of these performance tests, Svelte is blazing fast (if you want to know how Svelte does this, move to the "Why is Svelte so performant?" section). From these results, we can create this category ranking. Svelte Vue React Angular Memory Test The memory test sees which framework takes up the least amount of memory for the same test. Let's jump into the results. Similarly to the startup test, Svelte is clearly on top. Vue and React are quite similar while Angular (once again) is the least performant. From this, we can derive this category ranking. Svelte Vue React Angular Why is Svelte so performant? TL;DR: No Virtual DOM Compiled to just JS Small bundles Before looking at why Svelte is how performant, we need to understand how Svelte works. Svelte is not compiled to JS, HTML, and CSS files. You might be thinking: what!? But that's right, instead of doing that it compiles highly optimized JS files. This means that the application needs no dependencies to start and it's blazing fast. This way no virtual DOM is needed. Your components are compiled to Javascript and the DOM doesn't need to update. Also, it also takes up little memory as it complies in highly optimized, small bundles of Javascript. Wrapping up the 3rd Factor: Performance Svelte made a huge push in this factor, blowing away the others! From the three categories, let's rank these frameworks in terms of performance. Svelte Vue React Angular The 4th Factor: Learning Curve In this factor, we will be looking at how long and how easy it is to be able to build real-world (frontend-only) applications. This is one of the most important factors if you are looking to get going with this framework quickly. Let's dive right into it. React React is super easy to learn. React almost takes no time to learn, I would even say if you are proficient at Javascript and HTML, you can learn the basics in a day. Since we are looking about how long it takes to build a real-world project, this is the list of things you need to learn: How React works JSX State Props Main Hooks useState useEffect useRef useMemo Components NPM, Bebel, Webpack, ES6+ Functional Components vs Class Components React Router Create React App, Next.js, or Gatsby Optional but recommended: Redux, Recoil, Zustand, or Providers Vue In my opinion, Vue takes a bit more time than React to build a real project. With a bit of work, you could learn the Vue fundamentals in less than 3 days. Although Vue takes longer to learn, it is definitely one of the fastest popular Javascript frameworks to learn. Here is the list of things you need to learn: How Vue Works .vue files NPM, Bebel, Webpack, ES6+ State management Vuex Components create-vue-app/Vue CLI Vue Router Declarative Rendering Conditionals and Loops Vue Instance Vue Shorthands Optional: Nuxt.js, Vuetify, NativeScript-Vue Angular Angular is a massive framework, much larger than any other in this comparison. This may be why Angular is not as performant as other frameworks such as React, Svelte, or Vue. To learn the basics of Angular, it could take a week or more. Here are the things you need to learn to build a real-world app in Angular: How Angular Works Typescript Data Types Defining Types Type Inference Interfaces Union Types Function type definitions Two-way data binding Dependency Injection Components Routing NPM, Bebel, Webpack, ES6+ Directives Templates HTTP Client Svelte One could argue that Svelte is the easiest framework to learn in this comparison. I would agree with that. Svelte's syntax is very similar to an HTML file. I would say that you could learn the Svelte basics in a day. Here are the things you need to learn to build a real-world app in Svelte: How Svelte Works .svelte files NPM, Bebel, Webpack, ES6+ Reactivity Props If, Else, Else ifs/Logic Events Binding Lifecycle Methods Context API State in Svelte Svelte Routing Wrapping up the 4th Factor: Learning Curve All these frameworks (especially Vue, Svelte, and React) are extremely easy to learn, very much so when one is already proficient with Javascript and HTML. Let's rank these technologies in terms of their learning curve! (ordered in fastest to learn to longest to learn) Svelte React Vue Angular The 5th Factor: Real-world examples In this factor, the final factor, we will be looking at some real-world examples of apps using that particular framework. At the end of this factor, the technologies won't be ranking but it's up to you to see which of these framework's syntax and way of doing things you like best. Let's dive right into it! React Top 5 Real-world companies using React : Facebook, Instagram, Whatsapp, Yahoo!, Netflix Displaying "Hello World" in React : import React from ' react ' ; function App () { return ( < div > Hello World </ div > ); } Enter fullscreen mode Exit fullscreen mode Vue Top 5 Real-world companies using Vue : NASA, Gitlab, Nintendo, Grammarly, Adobe Displaying "Hello World" in Vue : < template > <h1> Hello World </h1> </ template > Enter fullscreen mode Exit fullscreen mode Angular Top 5 Real-world companies using Angular : Google, Microsoft, Deutsche Bank, Forbes, PayPal Displaying "Hello World" in Angular : import { Component } from ' @angular/core ' ; @ Component ({ selector : ' my-app ' , template : &lt;h1&gt;Hello World&lt;/h1&gt; , }) export class AppComponent ; Enter fullscreen mode Exit fullscreen mode Svelte Top 5 Real-world companies using Svelte : Alaska Air, Godaddy, Philips, Spotify, New York Times Displaying "Hello World" in Svelte : <h1> Hello world </h1> Enter fullscreen mode Exit fullscreen mode Wrapping up the 5th Factor: Real-world Examples Wow! Some huge companies that we use on a daily basis use the frameworks that we use. This shows that all of these frameworks can be used to build apps as big as these household names. Also, the syntax of all of these frameworks is extremely intuitive and easy to learn. You can decide which one you like best! Conculsion I know, you're looking for a ranking of all of these frameworks. It really depends but to fulfil your craving for a ranking, I'll give you my personal opinion : Svelte React Vue Angular This would be my ranking but based on these 5 factors, choose whichever framework you like best and feel yourself coding every day in, all of them are awesome. I hope that you found this article interesting and maybe picked a new framework to learn (I'm going to learn Svelte)! Please let me know which frontend framework you use and why you use it. Thanks for reading! Henry Top comments (47) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand stefanovualto stefanovualto stefanovualto Follow Joined Feb 5, 2018 • Nov 29 '20 Dropdown menu Copy link Hide Hi Henry, I mostly agree with the point 1,2,3. But point 4 is subjective depending on your background and previous knowledge. To improve your post, you should add a note explaining what's your background. Finally point 5 are not similar at all. The vue example is a complete page using a reactive property. Anyway as @johnpapa said in a talk, you can achieve almost the same result with any framework, pick the one which feels right for you... :) Like comment: Like comment: 13 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide Yes, I agree with you! I would recommend anyone to learn the framework which feels right for you. For the Vue example, I'm not an expert at Vue and don't know a better way to do it (if you have a smaller, more concise 'hello world' example, please comment it). I will definitely work an a 'what's my background section'. To explain it know: I've been using React in all my web dev projects. I have basic knowledge of Vue, Angular, and Svelte. After looking at these 5 factors, I plan to use Svelte for my coming projects. Thanks, @stefanovualto for the feedback! Like comment: Like comment: 8 likes Like Comment button Reply Collapse Expand Christopher Wray Christopher Wray Christopher Wray Follow Email chris@sol.company Location Pasco, WA Education Western Governors University Work Senior Software Engineer at Soltech Joined Jan 14, 2020 • Nov 29 '20 • Edited on Nov 29 • Edited Dropdown menu Copy link Hide In the Vue example you are using data components. For the others just plain html. You could have a Vue component with a template of just the h1 tag and no script. It would look more like the svelte example. Like comment: Like comment: 2 likes Like Thread Thread Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide ✅ Like comment: Like comment: 1 like Like Thread Thread stefanovualto stefanovualto stefanovualto Follow Joined Feb 5, 2018 • Nov 29 '20 • Edited on Nov 29 • Edited Dropdown menu Copy link Hide In your vue example, I think that you should expect to be in a .vue file lik le it seems to be in the others (I mean that you have the whole bundling machinery working under the hood). Then something similar would be: <template> <h1> Hello world! </h1> </template> Enter fullscreen mode Exit fullscreen mode Maybe a pro' for vue is that it can be adopted/used progressively without having to rely on building process (which I am assuming are mandatory for react, svelte and maybe angular). What I mean is that your previous example worked, but it wasn't comparable to the others. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Zen Zen Zen Follow Mahasiswa Psikologi Email muhzaini30@gmail.com Location Samarinda Education Psikologi, TI Work Developer Android at Toko sepeda Sinar Jaya Joined Mar 25, 2019 • Nov 30 '20 Dropdown menu Copy link Hide I'm usually using Svelte for my projects. Because, it's simple, write less, and get more Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Ryan Carniato Ryan Carniato Ryan Carniato Follow Frontend performance enthusiast and Fine-Grained Reactivity super fan. Author of the SolidJS UI library and MarkoJS Core Team Member. Location Portland, Oregon Education Computer Engineering B.A.Sc, University of British Columbia Work Principal Engineer, Open Source, Netlify Joined Jun 25, 2019 • Dec 3 '20 • Edited on Dec 3 • Edited Dropdown menu Copy link Hide A couple thoughts. "Requires JSX" a downside??? I almost stopped reading at that point. Template DSLs are more or less the same. If that's a con, doesn't support JSX could easily be seen as one. There are reasonable arguments for both sides and this shows extreme bias. Vue is "truly reactive" as well. Whatever that means. Your JS Framework Benchmark results are over 2 years old. Svelte and Vue 3 are both out and in the current results. He now publishes them per Chrome version. Here are the latest: krausest.github.io/js-framework-be... . It doesn't change the final positions much, but Svelte and Vue look much more favorable in newer results. If anyone is interested in how those benchmarks work in more detail I suggest reading: dev.to/ryansolid/making-sense-of-t... Like comment: Like comment: 6 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide I'm a React dev and it's my favourite framework out of the bunch. When I did some research and asked some other developers when they think of React they think of needing to learn JSX. For something like Svelte, all you need to know is HTML, CSS, and JS. I know that my benchmarks were two years old and I addressed this multiple times before: For the performance factor, I knew that the frameworks were a bit outdated but the general gist stated the same. Svelte 3 was released some time ago and that blows all of the other frameworks out of the water in terms of performance hence Svelte would stay on top. Vue and React are very similar in performance, Vue even says so themselves: vuejs.org/v2/guide/comparison.html. Since, Angular is a massive framework with built-in routing, etc, its performance didn't become better than Vue, React, or Svelte in its newer versions. Thanks for the new benchmark website, I will definitely be using that in the future. Also, I just read your benchmark article and its a good explanation on how these benchmarks work. Thanks for your input. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Ryan Carniato Ryan Carniato Ryan Carniato Follow Frontend performance enthusiast and Fine-Grained Reactivity super fan. Author of the SolidJS UI library and MarkoJS Core Team Member. Location Portland, Oregon Education Computer Engineering B.A.Sc, University of British Columbia Work Principal Engineer, Open Source, Netlify Joined Jun 25, 2019 • Dec 3 '20 • Edited on Dec 3 • Edited Dropdown menu Copy link Hide Here's the index page where he posts new results as they come up: krausest.github.io/js-framework-be... When I did some research and asked some other developers when they think of React they think of needing to learn JSX. For something like Svelte, all you need to know is HTML, CSS, and JS. Svelte has good marketing clearly. Is this HTML? <label> <input type= "checkbox" bind:checked= {visible} > visible </label> {#if visible} <p transition:fade > Fades in and out </p> {/if} Enter fullscreen mode Exit fullscreen mode Or this HTML? <a @ [event]= "doSomething" > ... </a> <ul id= "example-1" > <li v-for= "item in items" :key= "item.message" > {{ item.message }} </li> </ul> Enter fullscreen mode Exit fullscreen mode How about this? <form onSubmit= {handleSubmit} > <label htmlFor= "new-todo" > What needs to be done? </label> <input id= "new-todo" onChange= {handleChange} value= {text} /> <button> Add #{items.length + 1} </button> </form> Enter fullscreen mode Exit fullscreen mode Like comment: Like comment: 4 likes Like Thread Thread Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide That's why a con of Svelte is its syntax (I added that in my post). This is more explanation to that point: Firstly, for confusion in variable names, I'm talking about how Svelte handles state. Coming from React, state would only be initialized with the useState hook. In Svelte, all the variables you make is state which could be confusing for someone just learning Svelte. Also, for the confusion in syntax, I'm talking about the confusion in logic. For example, if statements in Svelte are different than the usual Javascript if statements which could cause some confusion/more learning time for beginners. There are also other examples of this. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Zen Zen Zen Follow Mahasiswa Psikologi Email muhzaini30@gmail.com Location Samarinda Education Psikologi, TI Work Developer Android at Toko sepeda Sinar Jaya Joined Mar 25, 2019 • Nov 29 '20 Dropdown menu Copy link Hide why svelte is not seen in search trend? because, svelte's docs is very easy to new comer in this framework Like comment: Like comment: 7 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide I'm not really sure @mzaini30 . A great pro of Svelte is its docs and tutorial on its website. I think in 1-2 years, you are going to see Svelte at least where Vue is in the search trends. Most of the search trends come from developers asking questions like how to fix this error, or how to do this but since not many people use Svelte (compared to the other frameworks) there are not many questions being asked. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Bergamof Bergamof Bergamof Follow Location Bordeaux, France Education 3iL Work Senior Developer at IPPON Technologies Joined Nov 30, 2020 • Nov 30 '20 Dropdown menu Copy link Hide Sure! Too bad the great Svelte tutorial was not mentioned. Like comment: Like comment: 1 like Like Thread Thread Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 30 '20 Dropdown menu Copy link Hide It's a great tutorial, but I decided to just add video tutorials. In the community factor, I give a link to the Svelte community website which features that tutorial! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Writing code for 35+ years and still enjoy it... Location Krakow, Poland Work Senior Software Engineer Joined Mar 14, 2019 • Dec 3 '20 Dropdown menu Copy link Hide Sad that Solid not even mentioned, although it's the one of the best performing frameworks. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide I've never actually heard of solid. I'll check it out! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Writing code for 35+ years and still enjoy it... Location Krakow, Poland Work Senior Software Engineer Joined Mar 14, 2019 • Dec 3 '20 Dropdown menu Copy link Hide Well, author of the Solid is even commented in this topic. Like comment: Like comment: 3 likes Like Thread Thread Ryan Carniato Ryan Carniato Ryan Carniato Follow Frontend performance enthusiast and Fine-Grained Reactivity super fan. Author of the SolidJS UI library and MarkoJS Core Team Member. Location Portland, Oregon Education Computer Engineering B.A.Sc, University of British Columbia Work Principal Engineer, Open Source, Netlify Joined Jun 25, 2019 • Dec 16 '20 Dropdown menu Copy link Hide To be fair, performance is only one area and arguably the least important. Even if Solid completely dominates across the board in all things performance by a considerable margin, we have a long way before popularity, community, or realworld usage really makes it worth even being in a comparison of this nature. But I appreciate the sentiment. Like comment: Like comment: 4 likes Like Thread Thread Sergiy Yevtushenko Sergiy Yevtushenko Sergiy Yevtushenko Follow Writing code for 35+ years and still enjoy it... Location Krakow, Poland Work Senior Software Engineer Joined Mar 14, 2019 • Dec 16 '20 Dropdown menu Copy link Hide Well, good performance across the board usually is a clear sign of high technical quality of design and implementation. Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand dallgoot dallgoot dallgoot Follow Location France Joined Oct 3, 2017 • Jan 2 '21 Dropdown menu Copy link Hide I don't want to start a flamewar but i see a trend where React is considered the -only- viable framework and -some- people reacting like religious zealots against any critics because "it's the best ! it's made by Facebook!" React is too hyped IMHO. Svelte is a a true innovation. And yes performance matters. Angular and Vue may lose traction with time... i think... i fail to see their distinctive useful points. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Jan 2 '21 Dropdown menu Copy link Hide I completely agree with you. Most React devs now will not try any other framework and just make fun of the others. I completely agree that React is too hyped. Unfortunately, as you stated, Angular and Vue are losing some traction. I also agree with you that Svelte is a true innovation, this is why I put Svelte at number 1! For 2021, I will focus on using Svelte. Thanks for reading! Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Sylvain Simao Sylvain Simao Sylvain Simao Follow Building kuizto.co 🥦🍄🥔🥕 • Fractional CTO sylvainsimao.com • Prev CTO at Travis, Tech Director at ClemengerBBDO • Love building for the web! Location Brisbane, Australia Work Founder at kuizto.co Joined Mar 7, 2019 • Dec 3 '20 Dropdown menu Copy link Hide React with a smaller learning curve than Vue.js 🤔 Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 3 '20 Dropdown menu Copy link Hide They were very tight but I would say that React has a smaller learning curve as its more intuitive and has easier syntax than Vue. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Sylvain Simao Sylvain Simao Sylvain Simao Follow Building kuizto.co 🥦🍄🥔🥕 • Fractional CTO sylvainsimao.com • Prev CTO at Travis, Tech Director at ClemengerBBDO • Love building for the web! Location Brisbane, Australia Work Founder at kuizto.co Joined Mar 7, 2019 • Dec 4 '20 Dropdown menu Copy link Hide Sorry @hb , you've decided to go on a touchy subject by writing this article! I will have to disagree with you on that point. I think it's perfectly okay to prefer using React. There are many reasons why it is a good choice. However, an easy learning curve isn't part of it. Just so there is no ambiguity, after having used all the Frameworks from this article - my choice goes towards Vue.js and Svelte, but I'll try to remain as objective as possible. 1) According to the State of JS survey 2018 (not using 2019, because that same question wasn't part of last year's survey). From 20,268 developers interrogated, the number #1 argument about Vue.js is an easy learning curve. For React it comes at position #11 (top 3 beings: elegant programming style, rick package ecosystem, and well-established): 2018.stateofjs.com/front-end-frame... 2018.stateofjs.com/front-end-frame... 2) Main reason why Vue.js is labelled "The Progressive JavaScript Framework", is because it is progressive to implement and to learn. Before you can get started with React, you need to know about JSX and build systems. On the other end, Vue.js can be used just by dropping a single script tag into your page and using plain HTML and CSS. This makes a huge difference in terms of approachability of the Framework. 3) Maybe less objective on this one - but from my own professional experience with both Frameworks and leading teams of developers - it usually takes Junior Developers almost twice the time to become proficient with React than with Vue.js. Firstly because of what I mentioned in point number 2. Secondly, because React has few abstraction leaks that makes performance optimisation something developers have to deal with themselves (using memoize hooks). It's a concept that is hard to understand, but essentials if working on large applications. Thirdly, because of the documentation (as you mentioned in your article). And lastly because of the fragmented ecosystem of libraries that can quickly be overwhelming for Junior Devs. Again, I think there are a lot of reasons why React can be a good choice. But not because of the learning curve. Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Thorsten Hirsch Thorsten Hirsch Thorsten Hirsch Follow Joined Feb 5, 2017 • Nov 29 '20 Dropdown menu Copy link Hide Angular 6? Well, they just released version 11 and there was the switch to Ivy since version 6, so what about a more recent benchmark? And looking at the Google trends chart I wonder why all 3 (React/Angular/Vue) lost quite a bit of their popularity during the past months... any new kid on the block? It's obviously not Svelte, which could hardly benefit from the others' losses. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 30 '20 Dropdown menu Copy link Hide For the performance factor, I knew that the frameworks were a bit outdated but the general gist stated the same. Svelte 3 was released some time ago and that blows all of the other frameworks out of the water in terms of performance hence Svelte would stay on top. Vue and React are very similar in performance, Vue even says so themselves: vuejs.org/v2/guide/comparison.html . Since, Angular is a massive framework with built-in routing, etc, its performance didn't become better than Vue, React, or Svelte in its newer versions. For the search results, they are unpredictable. To my knowledge, there is no new kid on the block in terms of frontend Javascript frameworks. If anything, more people are using Web Assembly. As you can see from the search results graph, it goes up and down, changing all the time. Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Shriji Shriji Shriji Follow Co-Founder @anoram. High-Performance JavaScript Apps. Location Canada Work DevOps at Anoram Joined May 31, 2020 • Nov 29 '20 Dropdown menu Copy link Hide Also, it would be great if you could give a little explanation of this point Confusion in variable names and syntax Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 30 '20 Dropdown menu Copy link Hide Firstly, for confusion in variable names, I'm talking about how Svelte handles state. Coming from React, state would only be initialized with the useState hook. In Svelte, all the variables you make is state which could be confusing for someone just learning Svelte. Also, for the confusion in syntax, I'm talking about the confusion in logic. For example, if statements in Svelte are different than the usual Javascript if statements which could cause some confusion/more learning time for beginners. There are also other examples of this. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Shriji Shriji Shriji Follow Co-Founder @anoram. High-Performance JavaScript Apps. Location Canada Work DevOps at Anoram Joined May 31, 2020 • Nov 30 '20 Dropdown menu Copy link Hide It makes syntax simpler TBH. React isn't even a direct comparison to Svelte. The only syntax that users will get accustomed to is $ assignments. Like comment: Like comment: 3 likes Like Comment button Reply Collapse Expand Shriji Shriji Shriji Follow Co-Founder @anoram. High-Performance JavaScript Apps. Location Canada Work DevOps at Anoram Joined May 31, 2020 • Nov 29 '20 Dropdown menu Copy link Hide You forgot to mention that Svelte has a great discord :) Like comment: Like comment: 5 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Nov 29 '20 Dropdown menu Copy link Hide I just had a look at it, a great tool! I'll add it to the post! Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nikola Nikola Nikola Follow Work Angular developer at Cinnamon Agency Joined Jan 21, 2020 • Nov 30 '20 Dropdown menu Copy link Hide Angular con: it is complex? what.... Like comment: Like comment: 2 likes Like Comment button Reply Collapse Expand Nathan Cai Nathan Cai Nathan Cai Follow A JavaScript one trick pony who loves to code. I live and breath NodeJS, currently learning React and Angular. Location Toronto, Ontario, Canada Education High School Work Back End Developer at Ensemble Education Joined Jun 18, 2020 • Dec 1 '20 Dropdown menu Copy link Hide Learning Angular is actually no that bad until RXJS comes in Like comment: Like comment: 4 likes Like Comment button Reply Collapse Expand Henry Boisdequin Henry Boisdequin Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Email boisdequinhenry19@gmail.com Joined Oct 12, 2020 • Dec 1 '20 Dropdown menu Copy link Hide You need to learn Typescript Smart/Dumb Components One-way Dataflow and Immutability And much more It's much more complex and harder to understand than the other frameworks on this list. Like comment: Like comment: 1 like Like Comment button Reply Collapse Expand Nikola Nikola Nikola Follow Work Angular developer at Cinnamon Agency Joined Jan 21, 2020 • Dec 1 '20 Dropdown menu Copy link Hide learn typescript? You mean to start writing it... it's easy and intuitive, I'm writing Angular, React, and Node code only in typescript. Smart/Dumb Components? I really don't understand what is this referred to? Angular has two-way data biding, and even easier data passing to the child and back to the parent. And of course, it has more features, its framework, React is more like a library compared to Angular. Like comment: Like comment: 2 likes Like Thread Thread Hanster Hanster Hanster Follow Joined Oct 19, 2021 • Oct 19 '21 Dropdown menu Copy link Hide I fully agree. Comparing framework e.g angular against library e.g react, is like comparing a smart tv against a traditional tv. Of course smart tv is more challenging to learn it's usage, not because it's lousy, but it has more features beyond watching tv. Like comment: Like comment: 2 likes Like Comment button Reply View full discussion (47 comments) Some comments may only be visible to logged-in visitors. Sign in to view all comments. Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Henry Boisdequin Follow Programmer x Swimmer | React Dev, Machine Learning Enthusiast, Rustacean Joined Oct 12, 2020 More from Henry Boisdequin Weekly Update #1 - 10th Jan 2021 # devjournal # rust # typescript # svelte The 6 Month Web Development Mastery Plan in 2020 — For Free # webdev # react # javascript # programming 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:24 |
https://docs.devcycle.com/platform/extras/custom-domains | Custom Domains | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up Home Getting Started Essentials DevCycle Overview Key Features System Architecture Feature Hierarchy Feature Types Platform Feature Flags Experimentation Account Management Security and Guardrails Testing and QA Extras Custom Domains Feature Opt-In Self-Hosted Feature Flags with DevCycle Webhooks Examples Platform Extras Custom Domains On this page Custom Domains When using client-side SDKs, particularly web client SDKs, there is the potential for ad blockers and browser privacy features to block requests and third-party cookies. Custom Domains with DevCycle ensures all cookies and requests used are first-party and will not be blocked by ensuring requests are sent through your recognized domain. info Custom Domains are a business and enterprise feature. To learn more, read about our pricing . To upgrade your plan, please contact your Account Manager or our Sales team. Requirements Custom Domains will require some back and forth setup on both your end as well as DevCycle's. A DNS CNAME needs to be created to leverage this feature. To start the setup process, please reach out to your account representative or to [email protected] and provide the following information: Your desired CNAME domain with a maximum of one subdomain (e.g. api-alias.your-domain.com). Avoid text that may be blocked by adblockers. Your desired SSL certificate provider from one of the three providers if required - SSL.com, Google Trust Services, Let's Encrypt. We will select one at random if you do not require a specific provider. Your DevCycle Services that will use the CNAME (e.g. Client SDKs, Server SDKs, Mobile SDKs) Once DevCycle receives this information, we can provide you with next steps. A brief outline of the process is shown below and requires involvement from both parties. Please continue to refer to our communications for the correct next steps. Setup Process Identifying a Hostname : The first step involves identifying a hostname to use as the CNAME for DevCycle's endpoint. Provide this to DevCycle on your request to enable Custom Domains. The hostname should look something like this https://api-alias.your-domain.com . We do not support two or more subdomains in the hostname (e.g. a.b.c.com is not supported). If there is more than one service in use, each service will need a unique CNAME. This is also true for using DevCycle on multiple domains. Each domain needs its own CNAME. DNS Validation : Once the setup is complete, two DNS records will be provided by DevCycle and you will need to add those records to your DNS provider (TXT validation records). The first DNS record will be a TXT verification record to ensure that you own the domain that you are asking DevCycle to use as a custom hostname. The second DNS record will be a TXT verification record to ensure that you have permission to create an SSL certificate for said domain. This record will conflict with any existing A/AAAA or CNAME records on the hostname and require them to be removed before adding the verification record. Once these records have been added, please let DevCycle know. DevCycle Additional Setup : Once validation is complete and DevCycle has confirmed the records are set properly, there may be an extra step involved here with DevCycle depending on your SDK configuration. DevCycle will let you know if this is needed. Creating a CNAME : Once all steps are complete, DevCycle will send the details for the DNS CNAME. Once added, the service will be immediately available at the given hostname. SDK Implementation : Once you have completed the steps above to create a CNAME, modify your existing SDK initialization to include the apiProxyURL initialization option. See below. SDK Implementation In order to use the Custom Domain, you'll have to point the SDK requests to the newly created CNAME domain. JavaScript SDK Add the apiProxyURL option and your CNAME domains as per the JS SDK Initialization Options . const devcycleClient = initializeDevCycle ( '<DEVCYCLE_CLIENT_SDK_KEY>' , user , { apiProxyURL : 'https://api-alias.your-domain.com' , } ) iOS SDK Add the apiProxyURL option and your CNAME domains as per the iOS SDK DevCycle Options Builder . let options = DevCycleOptions . builder ( ) . apiProxyURL ( "https://api-alias.your-domain.com" ) . build ( ) let client = try ? DevCycleClient . builder ( ) . sdkKey ( "<DEVCYCLE_SDK_KEY>" ) . user ( user ! ) . options ( options ) . build ( onInitialized : nil ) After completing the steps above, users should be able to freely maneuver around AdBlockers and prevent them from blocking requests to our API servers and our SDK. If you have any questions regarding this process, please reach out to our support team. Edit this page Last updated on Jan 9, 2026 Previous Self-Targeting Next Feature Opt-In Requirements Setup Process SDK Implementation JavaScript SDK iOS SDK DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/client-installation/ | Client Installation | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Installation Initialization The Socket instance Offline behavior Usage with bundlers Events Adapters Advanced Migrations Miscellaneous Client Installation Version: 4.x On this page Client Installation info The latest release is currently 4.8.1 , released in October 2024. You can find the release notes here . Version compatibility Here is the compatibility table between the server and the JS client: JS Client version Socket.IO server version 1.x 2.x 3.x 4.x 1.x YES NO NO NO 2.x NO YES YES 1 YES 1 3.x NO NO YES YES 4.x NO NO YES YES [1] Yes, with allowEIO3: true Please check the associated migration guides: v2 to v3 v3 to v4 Browser support Socket.IO does support IE9 and above. IE 6/7/8 are not supported anymore. Browser compatibility is tested thanks to the awesome Sauce Labs platform: Installation Standalone build By default, the Socket.IO server exposes a client bundle at /socket.io/socket.io.js . io will be registered as a global variable: < script src = " /socket.io/socket.io.js " > </ script > < script > const socket = io ( ) ; </ script > If you don't need this (see other options below), you can disable the functionality on the server side: const { Server } = require ( "socket.io" ) ; const io = new Server ( { serveClient : false } ) ; From a CDN You can also include the client bundle from a CDN: < script src = " https://cdn.socket.io/4.8.1/socket.io.min.js " integrity = " sha384-mkQ3/7FUtcGyoppY6bz/PORYoGqOl7/aSUMn2ymDOJcapfS6PHqxhRTMh1RR0Q6+ " crossorigin = " anonymous " > </ script > Socket.IO is also available from other CDN: cdnjs: https://cdnjs.cloudflare.com/ajax/libs/socket.io/4.8.1/socket.io.min.js jsDelivr: https://cdn.jsdelivr.net/npm/socket.io-client@4.8.1/dist/socket.io.min.js unpkg: https://unpkg.com/socket.io-client@4.8.1/dist/socket.io.min.js There are several bundles available: Name Size Description socket.io.js 34.7 kB gzip Unminified version, with debug socket.io.min.js 14.7 kB min+gzip Production version, without debug socket.io.msgpack.min.js 15.3 kB min+gzip Production version, without debug and with the msgpack parser The debug package allows to print debug information to the console. You can find more information here . During development, we recommend using the socket.io.js bundle. By setting localStorage.debug = 'socket.io-client:socket' , any event received by the client will be printed to the console. For production, please use the socket.io.min.js bundle, which is an optimized build excluding the debug package. From NPM The Socket.IO client is compatible with bundlers like webpack or browserify . NPM Yarn pnpm Bun npm install socket.io-client yarn add socket.io-client pnpm add socket.io-client bun add socket.io-client The client can also be run from Node.js. Note: for the reasons cited above, you may want to exclude debug from your browser bundle. With webpack, you can use webpack-remove-debug . Note for TypeScript users: the types are now included in the socket.io-client package and thus the types from @types/socket.io-client are not needed anymore and may in fact cause errors: Object literal may only specify known properties, and 'extraHeaders' does not exist in type 'ConnectOpts' Miscellaneous Dependency tree A basic installation of the client includes 9 packages, of which 5 are maintained by our team: └─┬ socket.io-client@4.8.1 ├── @socket.io/component-emitter@3.1.2 ├─┬ debug@4.3.7 │ └── ms@2.1.3 ├─┬ engine.io-client@6.6.3 │ ├── @socket.io/component-emitter@3.1.2 deduped │ ├── debug@4.3.7 deduped │ ├── engine.io-parser@5.2.3 │ ├─┬ ws@8.17.1 │ │ ├── UNMET OPTIONAL DEPENDENCY bufferutil@^4.0.1 │ │ └── UNMET OPTIONAL DEPENDENCY utf-8-validate@>=5.0.2 │ └── xmlhttprequest-ssl@2.1.2 └─┬ socket.io-parser@4.2.4 ├── @socket.io/component-emitter@3.1.2 deduped └── debug@4.3.7 deduped Transitive versions The engine.io-client package brings the engine that is responsible for managing the low-level connections (HTTP long-polling or WebSocket). See also: How it works socket.io-client version engine.io-client version ws version 1 4.8.x 6.6.x 8.17.x 4.7.x 6.5.x 8.17.x 4.6.x 6.4.x 8.11.x 4.5.x 6.2.x 8.2.x 4.4.x 6.1.x 8.2.x 4.3.x 6.0.x 8.2.x 4.2.x 5.2.x 7.4.x 4.1.x 5.1.x 7.4.x 4.0.x 5.0.x 7.4.x 3.1.x 4.1.x 7.4.x 3.0.x 4.0.x 7.4.x 2.5.x 3.5.x 7.5.x 2.4.x 3.5.x 7.5.x [1] for Node.js users only. In the browser, the native WebSocket API is used. Edit this page Last updated on Nov 15, 2025 Previous Usage with bundlers Next Initialization Version compatibility Browser support Installation Standalone build From a CDN From NPM Miscellaneous Dependency tree Transitive versions Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://docs.devcycle.com/integrations/vscode-extension/ | README | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page DevCycle VSCode Extension Extension Installation DevCycle extension can be installed directly within Visual Studio Code or via the Visual Studio Code Marketplace. Visual Studio Code Marketplace Visit the DevCycle Feature Flags Extension page at Visual Studio Marketplace. Click on the "Install" button. Within Visual Studio Code Search for "DevCycle Feature Flags" in the Extensions page. Click on the "Install" button. Post-installation, you can start utilizing the extension straightaway. No additional configuration is necessary. Feature Overview Current Features View All Feature Flags : The variable view in the extension displays a list of all variables existing within your code and your project. See Code Usages : The variable view also shows you where each of your DevCycle variables resides in your codebase, providing a convenient click-to-navigate feature. Understand Feature Status : Hovering over your DevCycle variables in your code brings up a card detailing information about the variable and the current status of the feature across environments. Requirements Before getting started with DevCycle, make sure you meet the following requirements: You need a DevCycle account. Sign up for a free account here (no credit card required). Extension Settings DevCycle extension contributes the following settings: Devcycle-feature-flags: Debug : Displays debug output for the extension, including what CLI commands are being executed. Default is off. Devcycle-feature-flags: Login On Workspace Open : Automatically logs into DevCycle when a configured workspace is opened. Default is on. Devcycle-feature-flags: Send Metrics : Allows DevCycle to send usage metrics. Default is off. Devcycle-feature-flags: Usages On Workspace Open : Automatically checks for code usages when a configured workspace is opened. Default is on. Upcoming Features We're excited about the future of DevCycle! Many advanced features are under development to further enhance the capabilities of the DevCycle extension. To stay updated on our progress, keep checking our GitHub repository and official website. Edit this page Extension Installation Visual Studio Code Marketplace Within Visual Studio Code Feature Overview Current Features Requirements Extension Settings Upcoming Features DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://docs.devcycle.com/sdk/server-side-sdks/go | Go SDK | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up SDK Overview SDK Lifecycle SDK Features Client-side SDKS Server-side SDKS Node.js SDK NestJS SDK PHP SDK Go SDK Installation Getting Started Usage OpenFeature Example App Ruby SDK Python SDK Java SDK .NET SDK SDK Proxy Server-side SDKS Go SDK DevCycle Go Server SDK Welcome to the DevCycle Go Server SDK. There are two modes for the SDK, Cloud bucketing (using the Bucketing API ) and Local Bucketing. We recommend using the Local Bucketing mode by default, as it performs fast local evaluations of your feature flags. If you need access to EdgeDB you will need to use the Cloud Bucketing mode of the SDK. Installation Installing the SDK Getting Started Initializing the SDK Usage Using the SDK OpenFeature How to implement the OpenFeature Provider Example App Try it out for yourself The SDK is open source and can be viewed on GitHub. Edit this page Last updated on Jan 9, 2026 Previous Example App Next Installation DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://docs.devcycle.com/sdk/lifecycle | SDK Release Lifecycle | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up SDK Overview SDK Lifecycle SDK Features Client-side SDKS Server-side SDKS SDK Proxy SDK Lifecycle On this page SDK Release Lifecycle DevCycle supports each SDK version according to the policies outlined below. If an SDK is out of support, we recommend upgrading to a supported version to ensure you have access to the latest features, improvements, and security updates. We only backport critical bug fixes and security patches to previous major versions of our SDKs. New features and non-critical bug fixes are only added to the latest major version. We follow Semantic Versioning for all our SDKs. This means that version numbers are in the format of MAJOR.MINOR.PATCH , where: MAJOR version is incremented for incompatible API changes, MINOR version is incremented for adding functionality in a backwards-compatible manner, and PATCH version is incremented for backwards-compatible bug fixes and security updates. For our SDKs, the latest version is defined as the highest MAJOR.MINOR version available. To see the latest version of each SDK, visit the respective SDK GitHub repository or package manager page in the case of JS/Node SDKs. Support Timeline We actively support the 2 most recent minor versions of each SDK. For example, if the latest versions are 2.1.0 and 2.0.0, both are supported, but 1.9.0 is not. Support includes: Bug fixes Security patches Technical support Due to the rapid pace of development, we cannot guarantee updates for versions older than the most recent 2 releases. We recommend upgrading to a supported version to ensure you have access to the latest features and improvements. Critical Security patches may be backported to older versions at our discretion. Upgrade Policy When a new major version of an SDK is released, we recommend upgrading to the latest version as soon as possible to take advantage of new features and improvements. If required, we provide detailed release notes and migration guides to assist with the upgrade process. End of Support (EOS) SDK versions automatically transition to EOS status 6 months after a new major version is released. When an SDK version reaches its end of support, we cannot guarantee technical support for that version. End of Life (EOL) SDK versions automatically transition to EOL status 12 months after a new major version is released. When an SDK version reaches its end of life, we will no longer provide support or updates for that version. Edit this page Last updated on Jan 9, 2026 Previous SDK Overview Next SDK Features Support Timeline Upgrade Policy End of Support (EOS) End of Life (EOL) DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://docs.devcycle.com/platform/security-and-guardrails/permissions/#members | Roles & Permissions | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up Home Getting Started Essentials DevCycle Overview Key Features System Architecture Feature Hierarchy Feature Types Platform Feature Flags Experimentation Account Management Security and Guardrails Approval Workflows Audit Log Custom Property Schemas Feature Obfuscation Roles & Permissions SDK Visibility Variable Schemas Testing and QA Extras Examples Platform Security and Guardrails Roles & Permissions On this page Roles & Permissions At DevCycle, our permissions model is designed to protect production while supporting secure and scalable team collaboration. We offer flexible, role-based access controls that can be applied both at the Organization and Project level—allowing you to tailor access based on how your teams operate. Permissions are available for Organizations on our Business or Enterprise plans. You can visit our pricing page or contact our support team to learn more about our plans. Permission Levels Overview DevCycle supports multiple levels of permission enforcement: Flat Access (default) : All users have full access across all Projects Basic Permissions : Org-wide roles that protect production Environments (Business and Enterprise plans) Full Role-Based Access Control (RBAC) : Fine-grained permissions managed at the Project level (Enterprise plans only) info Permissions enforcement will apply to all Projects and Production-type Environments within your Organization. Basic Permissions (Organization-Wide Roles) Basic permissions apply at the Organization level and are available to all Business and Enterprise customers. The principle behind basic permissions is to protect Production Environments while keeping permissions and their management as lightweight as possible. This level is perfect for teams that want to be able to move fast but still require some governance protections to be in place. info To enable basic permissions, navigate to your Organization Settings page and enable it under the permissions dropdown. The roles available with Basic Permissions are: Members Can ✅ Configure Development and Staging Environments Configure Inactive Production Environments Cannot ❌ Enable or Disable Production Environments Targeting Configure Active Production Environments When Production is Active , Configure Variables and Variations Manage roles of other users Manage Organization or Project settings Publishers Everything Members can do, plus: Can ✅ Enable or Disable Production Environments Targeting Configure Active Production Environments When Production is Active , Configure Variables and Variations Manage Project settings Cannot ❌ Manage roles of other users Manage Organization settings or billing Owners Everything Publishers can do, plus: Can ✅ Manage roles of all users in the Organization Administer billing Assigning Roles To assign a role to a team member, simply navigate to their profile. If you are an owner, you will be able to assign a new role to the member by using the Role dropdown. After you have selected a role, click "save" and the team member's permissions will be updated. For the user to have the new permission level available to them they will need to generate a new session by logging in again. Full Role-Based Access Control (Project-Level Roles – Enterprise Only) For Organizations managing multiple teams or business units, DevCycle offers Project-level RBAC on Enterprise plans. This allows you to manage roles granularly, granting access only to the specific workspaces your team members need with the requisite roles they need in each of those workspaces. With Role-Based Access Control, you can: Scope access to individual Projects Prevent cross-project visibility and restrict access to only the Projects a user is assigned Align access with your SSO groups and SCIM-based provisioning This enables centralized identity and access management with decentralized control, especially when integrated with providers like Azure AD or Okta. info To enable and configure SSO and SCIM-based provisioning, please contact our support team. Role Matrix The table below outlines actions available to each role across Organization and Project levels. note All actions affecting Production Environments are restricted for roles below Publisher . Action Viewer Member Publisher Project Admin Org Admin Org Owner organization:read:settings ✅ ✅ ✅ ✅ ✅ ✅ organization:write:settings ✅ ✅ organization:read:members ✅ ✅ ✅ ✅ ✅ ✅ organization:write:members ✅ ✅ organization:read:billing ✅ ✅ ✅ ✅ ✅ ✅ organization:write:billing ✅ organization:read:projects ✅ ✅ ✅ project:read ✅ ✅ ✅ ✅ ✅ project:write ✅ project:write:settings ✅ ✅ project:delete ✅ feature:read:staleness ✅ ✅ ✅ feature:read ✅ ✅ ✅ ✅ ✅ feature:write ✅ ✅ ✅ ✅ feature:publish ✅ ✅ ✅ feature:delete ✅ ✅ feature:status:archive ✅ ✅ ✅ ✅ feature:status:complete ✅ ✅ ✅ feature:read:config ✅ ✅ ✅ ✅ ✅ feature:write:config ✅ ✅ ✅ ✅ audience:write ✅ ✅ ✅ ✅ audience:read ✅ ✅ ✅ ✅ ✅ audience:write:prod ✅ ✅ ✅ audience:delete ✅ ✅ variable:read ✅ ✅ ✅ ✅ ✅ variable:write ✅ ✅ ✅ ✅ variable:write:prod ✅ ✅ environment:read ✅ ✅ ✅ ✅ ✅ environment:write ✅ ✅ ✅ ✅ environment:delete ✅ ✅ variation:read ✅ ✅ ✅ ✅ ✅ variation:write ✅ ✅ ✅ ✅ variation:delete ✅ ✅ ✅ ✅ results:read ✅ ✅ ✅ ✅ ✅ user:read ✅ ✅ ✅ ✅ ✅ user:write ✅ ✅ ✅ ✅ ✅ auditlog:read ✅ ✅ ✅ ✅ ✅ customproperty:read ✅ ✅ ✅ ✅ ✅ customproperty:write ✅ ✅ ✅ ✅ customproperty:delete ✅ ✅ ✅ ✅ metric:read ✅ ✅ ✅ ✅ ✅ metric:write ✅ ✅ ✅ ✅ metric:delete ✅ ✅ ✅ ✅ metricassociation:read ✅ ✅ ✅ ✅ ✅ metricassociation:write ✅ ✅ ✅ ✅ metricassociation:delete ✅ ✅ ✅ ✅ project:read:overrides ✅ ✅ ✅ ✅ ✅ project:write:overrides ✅ ✅ ✅ ✅ ✅ webhook:read ✅ ✅ ✅ ✅ ✅ webhook:write ✅ ✅ ✅ ✅ webhook:delete ✅ ✅ ✅ project:read:tokens ✅ ✅ project:write:tokens ✅ Managing Role Mappings with SCIM and SSO For Enterprise customers using identity providers (IdPs) like Azure AD or Okta, DevCycle supports role mapping through SCIM and SSO group-based permissions . Roles can be mapped to IdP groups Users are automatically assigned the correct roles upon login Centralized IT control, local team autonomy This streamlines onboarding and offboarding, and ensures the principle of least privilege is maintained. To get started with Role-Based Access Control, contact our support team. Edit this page Last updated on Jan 9, 2026 Previous Feature Obfuscation Next SDK Visibility Permission Levels Overview Basic Permissions (Organization-Wide Roles) Members Publishers Owners Assigning Roles Full Role-Based Access Control (Project-Level Roles – Enterprise Only) Role Matrix Managing Role Mappings with SCIM and SSO DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://ruul.io/blog/addressing-microaggressions-at-work?7c89d873_page=2 | Blog | For Freelancers, Creators, and Indie Professionals Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow 13 Best Fiverr Alternatives Freelancers Need to Know Read POPULAR ARTICLES How to Accept Online Payments: A Comprehensive Guide for Businesses and Freelancers Learn how to set up and manage secure online payment systems for your business or freelance work. Discover popular payment methods, integration tips, security measures, and best practices to streamline transactions and boost efficiency. Top 15 Digital Nomad Jobs in 2025 Explore the 15 best digital nomad jobs in 2025, from writing to coding—fully remote, high-paying, and travel-friendly. The Ultimate Best AI Tools for Freelancers: Boosting Productivity in 2025 Discover the ultimate AI tools for freelancers in 2025 to enhance productivity and efficiency. From writing and graphic design to project management, explore top AI tools like ChatGPT, Grammarly, Canva, and more. Start optimizing your freelancing. How to Accept Cryptocurrency Payments Find the methods, benefits, and security considerations for accepting crypto payments. Know how cryptocurrencies can open new opportunities for your business. What to Sell as a Digital Product Want to make money while you sleep? From AI art to ebooks and plugins, here’s what actually sells in 2025 and makes your wallet happy! Best 13 Motivational Apps and Techniques You Need As You Work Solo Lack of motivation as an independent? See these motivation apps and techniques. get paid sell grow work news trends get paid sell grow work news trends How to Make Freelance Money I’ve mapped out the freelance income paths that will stick around until 2030. Shared all the pro tips and details in this post. Come check it out! Introducing MiniPay on Ruul: Faster Stablecoin Payment Ruul & MiniPay now bring instant, stablecoin payments with zero withdrawal fee for freelancers. Create virtual USD/EUR accounts, enjoy fast global transfers, and earn up to $275 in bonuses. Best Freelancing Websites Struggling to pick a freelancing website? These 16 categorized freelancing platforms will save your time, energy, and maybe your sanity! How to Get Paid as a Freelancer Don't let payments ruin your business! We've covered everything from the most important steps to the best methods! Designer's Guide to Dribbble All the potential Dribbble has to offer, and all the areas where it leaves you hanging. This Guide gives you all of that and more. Best Freelance Jobs You're looking for the best freelance jobs AI won't wipe out. Safe, in-demand, future-ready, long-lasting work… you'll find it all right here. MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://docs.devcycle.com/integrations/bitbucket/feature-usage-action | Bitbucket: Feature Flag Code Usages | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page Bitbucket: Feature Flag Code Usages Get the integration on the Bitbucket Marketplace Bitbucket Pipelines Pipe: DevCycle Code References Code References of DevCycle Variables pushed to DevCycle With this Bitbucket pipeline, your DevCycle dashboard will be updated to display code snippets for each DevCycle variable usage within your project. Note: This is intended to run when pushing changes to your main branch Example Output YAML Definition Add the following snippet to your bitbucket-pipelines.yml file: branches : main : - step : script : - pipe : devcyclehq/bitbucket - code - refs - pipe : 1.0.3 variables : PROJECT_KEY : '<string>' CLIENT_ID : '<string>' CLIENT_SECRET : '<string>' Variables To add variables to be used in the bitbucket-pipelines.yml , an admin must add Repository Variables in Repository Settings > Repository Variables , and then add all necessary variables as secured variables Variable Usage PROJECT_KEY (*) Your DevCycle project key, see Projects CLIENT_ID (*) Your organization's API client ID, see Organization Settings CLIENT_SECRET (*) Your organization's API client secret, see Organization Settings (*) = required variable. Prerequisites Create a new Project & a new Feature Grab the PROJECT_KEY in Projects , and find your specific project name & key Grab the CLIENT_ID in Settings , under API AUTHENTICATION Grab the CLIENT_SECRET in Settings , under API AUTHENTICATION Examples Example: - pipe : devcyclehq/bitbucket - code - refs - pipe : 1.0.3 variables : PROJECT_KEY : $PROJECT_KEY CLIENT_ID : $CLIENT_ID CLIENT_SECRET : $CLIENT_SECRET Support The pipe is maintained by [email protected] . If you are reporting an issue, please include: the version of the pipe relevant logs and error messages steps to reproduce Edit this page Example Output YAML Definition Variables Prerequisites Examples Support DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://ruul.io/blog/how-does-fiverr-seller-plus-work-how-can-freelancers-use-it#$%7Bid%7D | Fiverr Seller Plus for Freelancers: More Projects and Income! Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up grow How Does Fiverr Seller Plus Work? How Can Freelancers Use it? What is Fiverr Seller Plus and how can it strengthen your freelance career? Click to learn about the opportunities offered by the subscription system. Mert Bulut 5 min read RUUL FOR INDEPENDENCE You chose independence.We make sure you keep it. Sell your time, your talent, whatever you create or build always on your terms. Get started See Example This is also a heading This is a heading Key Points Finding the most suitable platform for your business plays an important role to improve your financial performance. Fiverr is one of the most popular platforms for freelancers to find clients globally. Freelancers choose Fiverr to find new clients, projects from other countries and grow their portfolio. Fiverr plus on the other hand, is a subscription based service that Fiverr provides for its members to achieve more and more clients with increased visibility. We will review how Fiverr seller plus work in this article: What is Fiverr Seller Plus? It is a subscription based tool that provides additional benefits. It is targeted at high-performing sellers who want to access advanced tools and support to boost their freelancing business. First of all, priority customer support is one of the key benefits for Fiverr Seller users. Solving critical issues is easier while getting priority in customer support. Also it allows subscribers to use advanced analytic tools to track their performance. With this way, it helps subscribers to make strategic decisions based on the data. Fiverr Seller Plus also increases visibility for subscribers, this can lead them to get more clients and orders. The subscription provides access to exclusive tools that can streamline your workflow and help manage your gigs more effectively. These tools are designed to improve productivity and efficiency. Sellers on Fiverr Seller Plus can create more customized gig packages, allowing for better alignment with client needs and preferences. This flexibility can attract a broader range of buyers. How to Use Fiverr Seller Plus It is pretty simple to use Fiverr Seller Plus. The first step is to search and subscribe. Here are the steps to use Fiverr Seller Plus; Check Eligibility : Ensure that you meet the eligibility requirements for Fiverr Seller Plus. Typically, this involves having a high rating, consistent performance, and a solid track record of completed orders. Subscribe to Seller Plus : Navigate to the Seller Plus section in your Fiverr account settings and follow the prompts to subscribe. This will involve selecting a payment plan and agreeing to the terms and conditions. Explore Features : Once subscribed, familiarize yourself with the features and tools available. Review the advanced analytics dashboard, explore customization options for gig packages, and make use of the priority support offered. Optimize Your Gigs : Use the insights gained from analytics to refine your gig offerings. Adjust your gig descriptions, pricing, and packages based on the data to attract more buyers and increase your sales. Track Performance : Track your performance and data to be informed from your statistics and make strategic decisions accordingly. This will help you improve the quality of your service. One of the most important challenges for freelancers is to underbid their services. No matter which platform they are using, underbidding can damage the effectiveness of freelancers' profit. For finding the most accurate price, Ruul also provides freelance hourly price generators. With this feature, freelancers can set the most suitable price for their services based on their skills, set of experience and expectations. How to Find Jobs on Fiverr Sites like Fiverr help freelancers and clients to find each other easily, safe and securely. How to find jobs on Fiverr involves several strategic steps to increase your visibility and attract potential clients. Here’s a comprehensive guide on how to find jobs effectively: Profile Creation: Profile creation must be well prepared. It should be professional, highlighting skills, experience and testimonials. Optimize Your Gigs : Use relevant keywords and create detailed descriptions for your gigs. This helps your gigs appear in search results when buyers are looking for specific services. High-quality images and engaging gig videos can also enhance your listings. Use Fiverr's Search Features : Use the search features of Fiverr’s search and stay competitive. You can find popular categories and trends and this can help you tailor your services. Don't Skip Promotion: Share your Fiverr on social media and other platforms where potential clients might be looking for services. This external promotion can drive additional traffic to your Fiverr profile. Increase Response Rate, Communicate Well : Communication is the key. When buyers reach out with inquiries or job offers, respond quickly and professionally. Build a Strong Portfolio : Showcase your best work in your Fiverr portfolio. A strong portfolio demonstrates your skills and quality of work, which can attract more clients and increase your chances of getting hired. Aim on Networking and Collaborations : Engage with other freelancers and potential clients on Fiverr and in relevant communities. Networking can lead to referrals and collaborative opportunities that can boost your job prospects. Networking and collaborating with other freelancers and clients can help you manage your brand, improve your rates and maintain your reputation. Ruul: Standard Billing & Checkout Meets Crypto Freelancers can handle their global invoicing in 190 countries with global standards and initiates the payout to their preferred account immediately and handles sales tax compliance. It allows freelancers to send VAT-compliant invoices for every transaction. Ruul, as your Merchant of Record, onboards your client, handles invoicing and payment collection. It offers multiple payment options, including credit cards. For those freelancers who are activated also it allows sending their clients a payment link so they can pay easily and receive an invoice without signing up. It is important to note that Ruul does not provide income tax compliance/ services. Every freelancer who receives a payment is responsible for their own taxes. Ruul does not offer assistance in this area. However Ruul handles all freelancer’s sales tax and compliance for every payment, cutting down their paperwork. In summary, Ruul is a great help for freelancers to sell their digital services to businesses anywhere around the world. ABOUT THE AUTHOR Mert Bulut Mert Bulut is an innate entrepreneur, who after completing his education in Management Engineering (BSc) and Programming (MSc), co-founded Ruul at the age of 27. His achievements in entrepreneurship were recognized by Fortune magazine, which named him as one of their 40 under 40 in 2022. More Tackling with isolation while working remotely Here are some of our actionable tips on how to overcome isolation when working remotely. Read more Which Payment Gateway is Best for Freelancers in Spain? Freelancing in Spain? Learn which payment gateways will help you manage payments effortlessly. Click to explore the top choices! Read more How to Create a Gumroad Profile? Learn how to create a Gumroad profile to sell digital products, physical goods, or subscriptions. Discover steps on setting up your profile, payment information, products, and promotions. Read more MORE THAN 120,000 Independents Over 120,000 independents trust Ruul to sell their services, digital products, and securely manage their payments. FROM 190 Countries Truly global coverage: trusted across 190 countries with seamless payouts available in 140 currencies. PROCESSED $200m+ of Transactions Over $200M successfully processed, backed by an 8-year legacy of secure, reliable transactions trusted by independents worldwide. FREQUENTLY ASKED QUESTIONS Everything you need to know. Get clear, straightforward answers to the most common questions about using Ruul. hey@ruul.io What is Ruul? Ruul is a merchant-of-record platform helping freelancers and creators globally sell services, digital products, subscriptions, and easily get paid. Who is Ruul for? Ruul is designed for freelancers, creators, and independent professionals who want a simple way to sell online and get paid globally. How does Ruul work? Open an account, complete a quick verification (KYC), and link your payout account. Then, start selling through your store or send payment requests to customers instantly. How does pricing work? Signing up is free. There are no subscription or hidden fees. Ruul charges a small commission only when you sell or get paid through the platform. What is a Merchant of Record? A merchant of record is the legal seller responsible for processing payments, handling taxes, and managing compliance for each transaction. What can I sell on Ruul? You can sell services, digital products, license keys, online courses, subscriptions, and digital memberships. How do I get paid on Ruul? Add your preferred bank account, digital wallet, or receive payouts in stablecoins as crypto. Funds arrive within 24 hours after a payout is triggered. OPEN AN ACCOUNT START MAKING MONEY TODAY ruul.space/ Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Trustpilot Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:24 |
https://docs.devcycle.com/integrations/github/feature-usage-action/ | GitHub: Feature Flag Code Usages | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page GitHub: Feature Flag Code Usages Get the integration on the GitHub Marketplace Overview With this Github action, your DevCycle dashboard will be updated to display code snippets for each DevCycle variable usage within your project. Note: This is intended to run when pushing changes to your main branch Example Output Usage Create a new Actions workflow in your GitHub repository (e.g. devcycle-usages.yml) in the .github/workflows directory. In your new file, paste the following code: on : push : branches : [ main ] jobs : dvc-code-usages : runs-on : ubuntu - latest name : Fetch DevCycle Code Usages steps : - uses : actions/checkout@v3 with : fetch-depth : 0 - uses : DevCycleHQ/feature - flag - code - usage - [email protected] with : github-token : $ { { secrets.GITHUB_TOKEN } } client-id : $ { { secrets.DVC_CLIENT_ID } } client-secret : $ { { secrets.DVC_CLIENT_SECRET } } project-key : app - devcycle - com Your DevCycle API credentials and project token are required to update the DevCycle dashboard. When referencing your API client ID and secret, we recommend using GitHub Secrets to store your credentials securely. Inputs input required description github-token yes The GitHub Actions token e.g. secrets.GITHUB_TOKEN project-key yes Your DevCycle project key, see Projects client-id yes Your organization's API client ID, see Organization Settings client-secret yes Your organization's API client secret, see Organization Settings Configuration The patterns used to identify references to variables in your code are fully customizable. This action uses the DevCycle CLI under the hood, for details on how to configure the pattern matcher see the CLI configuration . Edit this page Overview Example Output Usage Inputs Configuration DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://docs.devcycle.com/integrations/github/feature-usage-action | GitHub: Feature Flag Code Usages | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page GitHub: Feature Flag Code Usages Get the integration on the GitHub Marketplace Overview With this Github action, your DevCycle dashboard will be updated to display code snippets for each DevCycle variable usage within your project. Note: This is intended to run when pushing changes to your main branch Example Output Usage Create a new Actions workflow in your GitHub repository (e.g. devcycle-usages.yml) in the .github/workflows directory. In your new file, paste the following code: on : push : branches : [ main ] jobs : dvc-code-usages : runs-on : ubuntu - latest name : Fetch DevCycle Code Usages steps : - uses : actions/checkout@v3 with : fetch-depth : 0 - uses : DevCycleHQ/feature - flag - code - usage - [email protected] with : github-token : $ { { secrets.GITHUB_TOKEN } } client-id : $ { { secrets.DVC_CLIENT_ID } } client-secret : $ { { secrets.DVC_CLIENT_SECRET } } project-key : app - devcycle - com Your DevCycle API credentials and project token are required to update the DevCycle dashboard. When referencing your API client ID and secret, we recommend using GitHub Secrets to store your credentials securely. Inputs input required description github-token yes The GitHub Actions token e.g. secrets.GITHUB_TOKEN project-key yes Your DevCycle project key, see Projects client-id yes Your organization's API client ID, see Organization Settings client-secret yes Your organization's API client secret, see Organization Settings Configuration The patterns used to identify references to variables in your code are fully customizable. This action uses the DevCycle CLI under the hood, for details on how to configure the pattern matcher see the CLI configuration . Edit this page Overview Example Output Usage Inputs Configuration DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:24 |
https://socket.io/docs/v4/client-api/ | Client API | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO API Options API Version: 4.x On this page Client API IO The io method is bound to the global scope in the standalone build: < script src = " /socket.io/socket.io.js " > </ script > < script > const socket = io ( ) ; </ script > An ESM bundle is also available since version 4.3.0 : < script type = " module " > import { io } from "https://cdn.socket.io/4.8.1/socket.io.esm.min.js" ; const socket = io ( ) ; </ script > With an import map : < script type = " importmap " > { "imports" : { "socket.io-client" : "https://cdn.socket.io/4.8.1/socket.io.esm.min.js" } } </ script > < script type = " module " > import { io } from "socket.io-client" ; const socket = io ( ) ; </ script > Else, in all other cases (with some build tools, in Node.js or React Native), it can be imported from the socket.io-client package: // ES modules import { io } from "socket.io-client" ; // CommonJS const { io } = require ( "socket.io-client" ) ; io.protocol <number> The protocol revision number (currently: 5). The protocol defines the format of the packets exchanged between the client and the server. Both the client and the server must use the same revision in order to understand each other. You can find more information here . io( [url][, options] ) url <string> (defaults to window.location.host ) options <Object> forceNew <boolean> whether to create a new connection Returns <Socket> Creates a new Manager for the given URL, and attempts to reuse an existing Manager for subsequent calls, unless the multiplex option is passed with false . Passing this option is the equivalent of passing "force new connection": true or forceNew: true . A new Socket instance is returned for the namespace specified by the pathname in the URL, defaulting to / . For example, if the url is http://localhost/users , a transport connection will be established to http://localhost and a Socket.IO connection will be established to /users . Query parameters can also be provided, either with the query option or directly in the url (example: http://localhost/users?token=abc ). To understand what happens under the hood, the following example: import { io } from "socket.io-client" ; const socket = io ( "ws://example.com/my-namespace" , { reconnectionDelayMax : 10000 , auth : { token : "123" } , query : { "my-key" : "my-value" } } ) ; is the short version of: import { Manager } from "socket.io-client" ; const manager = new Manager ( "ws://example.com" , { reconnectionDelayMax : 10000 , query : { "my-key" : "my-value" } } ) ; const socket = manager . socket ( "/my-namespace" , { auth : { token : "123" } } ) ; The complete list of available options can be found here . Manager The Manager manages the Engine.IO client instance, which is the low-level engine that establishes the connection to the server (by using transports like WebSocket or HTTP long-polling). The Manager handles the reconnection logic. A single Manager can be used by several Sockets . You can find more information about this multiplexing feature here . Please note that, in most cases, you won't use the Manager directly but use the Socket instance instead. Constructor new Manager(url [, options] ) url <string> options <Object> Returns <Manager> The complete list of available options can be found here . import { Manager } from "socket.io-client" ; const manager = new Manager ( "https://example.com" ) ; const socket = manager . socket ( "/" ) ; // main namespace const adminSocket = manager . socket ( "/admin" ) ; // admin namespace Events Event: 'error' error <Error> error object Fired upon a connection error. socket . io . on ( "error" , ( error ) => { // ... } ) ; Event: 'ping' Fired when a ping packet is received from the server. socket . io . on ( "ping" , ( ) => { // ... } ) ; Event: 'reconnect' attempt <number> reconnection attempt number Fired upon a successful reconnection. socket . io . on ( "reconnect" , ( attempt ) => { // ... } ) ; Event: 'reconnect_attempt' attempt <number> reconnection attempt number Fired upon an attempt to reconnect. socket . io . on ( "reconnect_attempt" , ( attempt ) => { // ... } ) ; Event: 'reconnect_error' error <Error> error object Fired upon a reconnection attempt error. socket . io . on ( "reconnect_error" , ( error ) => { // ... } ) ; Event: 'reconnect_failed' Fired when couldn't reconnect within reconnectionAttempts . socket . io . on ( "reconnect_failed" , ( ) => { // ... } ) ; Methods manager.connect( [callback] ) Synonym of manager.open([callback]) . manager.open( [callback] ) callback <Function> Returns <Manager> If the manager was initiated with autoConnect to false , launch a new connection attempt. The callback argument is optional and will be called once the attempt fails/succeeds. import { Manager } from "socket.io-client" ; const manager = new Manager ( "https://example.com" , { autoConnect : false } ) ; const socket = manager . socket ( "/" ) ; manager . open ( ( err ) => { if ( err ) { // an error has occurred } else { // the connection was successfully established } } ) ; manager.reconnection( [value] ) value <boolean> Returns <Manager> | <boolean> Sets the reconnection option, or returns it if no parameters are passed. manager.reconnectionAttempts( [value] ) value <number> Returns <Manager> | <number> Sets the reconnectionAttempts option, or returns it if no parameters are passed. manager.reconnectionDelay( [value] ) value <number> Returns <Manager> | <number> Sets the reconnectionDelay option, or returns it if no parameters are passed. manager.reconnectionDelayMax( [value] ) value <number> Returns <Manager> | <number> Sets the reconnectionDelayMax option, or returns it if no parameters are passed. manager.socket(nsp, options) nsp <string> options <Object> Returns <Socket> Creates a new Socket for the given namespace. Only auth ( { auth: {key: "value"} } ) is read from the options object. Other keys will be ignored and should be passed when instancing a new Manager(nsp, options) . manager.timeout( [value] ) value <number> Returns <Manager> | <number> Sets the timeout option, or returns it if no parameters are passed. Socket A Socket is the fundamental class for interacting with the server. A Socket belongs to a certain Namespace (by default / ) and uses an underlying Manager to communicate. A Socket is basically an EventEmitter which sends events to — and receive events from — the server over the network. socket . emit ( "hello" , { a : "b" , c : [ ] } ) ; socket . on ( "hey" , ( ... args ) => { // ... } ) ; More information can be found here . Events Event: 'connect' This event is fired by the Socket instance upon connection and reconnection. socket . on ( "connect" , ( ) => { // ... } ) ; caution Event handlers shouldn't be registered in the connect handler itself, as a new handler will be registered every time the socket instance reconnects: BAD ⚠️ socket . on ( "connect" , ( ) => { socket . on ( "data" , ( ) => { /* ... */ } ) ; } ) ; GOOD 👍 socket . on ( "connect" , ( ) => { // ... } ) ; socket . on ( "data" , ( ) => { /* ... */ } ) ; Event: 'connect_error' error <Error> This event is fired upon connection failure. Reason Automatic reconnection? The low-level connection cannot be established (temporary failure) ✅ YES The connection was denied by the server in a middleware function ❌ NO The socket.active attribute indicates whether the socket will automatically try to reconnect after a small randomized delay : socket . on ( "connect_error" , ( error ) => { if ( socket . active ) { // temporary failure, the socket will automatically try to reconnect } else { // the connection was denied by the server // in that case, `socket.connect()` must be manually called in order to reconnect console . log ( error . message ) ; } } ) ; Event: 'disconnect' reason <string> details <DisconnectDetails> This event is fired upon disconnection. socket . on ( "disconnect" , ( reason , details ) => { // ... } ) ; Here is the list of possible reasons: Reason Description Automatic reconnection? io server disconnect The server has forcefully disconnected the socket with socket.disconnect() ❌ NO io client disconnect The socket was manually disconnected using socket.disconnect() ❌ NO ping timeout The server did not send a PING within the pingInterval + pingTimeout range ✅ YES transport close The connection was closed (example: the user has lost connection, or the network was changed from WiFi to 4G) ✅ YES transport error The connection has encountered an error (example: the server was killed during a HTTP long-polling cycle) ✅ YES The socket.active attribute indicates whether the socket will automatically try to reconnect after a small randomized delay : socket . on ( "disconnect" , ( reason ) => { if ( socket . active ) { // temporary disconnection, the socket will automatically try to reconnect } else { // the connection was forcefully closed by the server or the client itself // in that case, `socket.connect()` must be manually called in order to reconnect console . log ( reason ) ; } } ) ; Attributes socket.active <boolean> Whether the socket will automatically try to reconnect. This attribute can be used after a connection failure: socket . on ( "connect_error" , ( error ) => { if ( socket . active ) { // temporary failure, the socket will automatically try to reconnect } else { // the connection was denied by the server // in that case, `socket.connect()` must be manually called in order to reconnect console . log ( error . message ) ; } } ) ; Or after a disconnection: socket . on ( "disconnect" , ( reason ) => { if ( socket . active ) { // temporary disconnection, the socket will automatically try to reconnect } else { // the connection was forcefully closed by the server or the client itself // in that case, `socket.connect()` must be manually called in order to reconnect console . log ( reason ) ; } } ) ; socket.connected <boolean> Whether the socket is currently connected to the server. const socket = io ( ) ; console . log ( socket . connected ) ; // false socket . on ( "connect" , ( ) => { console . log ( socket . connected ) ; // true } ) ; socket.disconnected <boolean> Whether the socket is currently disconnected from the server. const socket = io ( ) ; console . log ( socket . disconnected ) ; // true socket . on ( "connect" , ( ) => { console . log ( socket . disconnected ) ; // false } ) ; socket.id <string> A unique identifier for the socket session. Set after the connect event is triggered, and updated after the reconnect event. const socket = io ( ) ; console . log ( socket . id ) ; // undefined socket . on ( "connect" , ( ) => { console . log ( socket . id ) ; // "G5p5..." } ) ; caution The id attribute is an ephemeral ID that is not meant to be used in your application (or only for debugging purposes) because: this ID is regenerated after each reconnection (for example when the WebSocket connection is severed, or when the user refreshes the page) two different browser tabs will have two different IDs there is no message queue stored for a given ID on the server (i.e. if the client is disconnected, the messages sent from the server to this ID are lost) Please use a regular session ID instead (either sent in a cookie, or stored in the localStorage and sent in the auth payload). See also: Part II of our private message guide How to deal with cookies socket.io <Manager> A reference to the underlying Manager . socket . on ( "connect" , ( ) => { const engine = socket . io . engine ; console . log ( engine . transport . name ) ; // in most cases, prints "polling" engine . once ( "upgrade" , ( ) => { // called when the transport is upgraded (i.e. from HTTP long-polling to WebSocket) console . log ( engine . transport . name ) ; // in most cases, prints "websocket" } ) ; engine . on ( "packet" , ( { type , data } ) => { // called for each packet received } ) ; engine . on ( "packetCreate" , ( { type , data } ) => { // called for each packet sent } ) ; engine . on ( "drain" , ( ) => { // called when the write buffer is drained } ) ; engine . on ( "close" , ( reason ) => { // called when the underlying connection is closed } ) ; } ) ; socket.recovered Added in v4.6.0 <boolean> Whether the connection state was successfully recovered during the last reconnection. socket . on ( "connect" , ( ) => { if ( socket . recovered ) { // any event missed during the disconnection period will be received now } else { // new or unrecoverable session } } ) ; More information about this feature here . Methods socket.close() Added in v1.0.0 Synonym of socket.disconnect() . socket.compress(value) value <boolean> Returns <Socket> Sets a modifier for a subsequent event emission that the event data will only be compressed if the value is true . Defaults to true when you don't call the method. socket . compress ( false ) . emit ( "an event" , { some : "data" } ) ; socket.connect() Added in v1.0.0 Returns Socket Manually connects the socket. const socket = io ( { autoConnect : false } ) ; // ... socket . connect ( ) ; It can also be used to manually reconnect: socket . on ( "disconnect" , ( ) => { socket . connect ( ) ; } ) ; socket.disconnect() Added in v1.0.0 Returns <Socket> Manually disconnects the socket. In that case, the socket will not try to reconnect. Associated disconnection reason: client-side: "io client disconnect" server-side: "client namespace disconnect" If this is the last active Socket instance of the Manager, the low-level connection will be closed. socket.emit(eventName [, ...args][, ack] ) eventName <string> | <symbol> args <any[]> ack <Function> Returns true Emits an event to the socket identified by the string name. Any other parameters can be included. All serializable data structures are supported, including Buffer . socket . emit ( "hello" , "world" ) ; socket . emit ( "with-binary" , 1 , "2" , { 3 : "4" , 5 : Buffer . from ( [ 6 , 7 , 8 ] ) } ) ; The ack argument is optional and will be called with the server answer. Client socket . emit ( "hello" , "world" , ( response ) => { console . log ( response ) ; // "got it" } ) ; Server io . on ( "connection" , ( socket ) => { socket . on ( "hello" , ( arg , callback ) => { console . log ( arg ) ; // "world" callback ( "got it" ) ; } ) ; } ) ; socket.emitWithAck(eventName [, ...args] ) Added in v4.6.0 eventName <string> | <symbol> args any[] Returns Promise<any> Promised-based version of emitting and expecting an acknowledgement from the server: // without timeout const response = await socket . emitWithAck ( "hello" , "world" ) ; // with a specific timeout try { const response = await socket . timeout ( 10000 ) . emitWithAck ( "hello" , "world" ) ; } catch ( err ) { // the server did not acknowledge the event in the given delay } The example above is equivalent to: // without timeout socket . emit ( "hello" , "world" , ( val ) => { // ... } ) ; // with a specific timeout socket . timeout ( 10000 ) . emit ( "hello" , "world" , ( err , val ) => { // ... } ) ; And on the receiving side: io . on ( "connection" , ( socket ) => { socket . on ( "hello" , ( arg1 , callback ) => { callback ( "got it" ) ; // only one argument is expected } ) ; } ) ; caution Environments that do not support Promises will need to add a polyfill in order to use this feature. socket.listeners(eventName) Inherited from the EventEmitter class . eventName <string> | <symbol> Returns <Function[]> Returns the array of listeners for the event named eventName . socket . on ( "my-event" , ( ) => { // ... } ) ; console . log ( socket . listeners ( "my-event" ) ) ; // prints [ [Function] ] socket.listenersAny() Added in v3.0.0 Returns <Function[]> Returns the list of registered catch-all listeners. const listeners = socket . listenersAny ( ) ; socket.listenersAnyOutgoing() Added in v4.5.0 Returns <Function[]> Returns the list of registered catch-all listeners for outgoing packets. const listeners = socket . listenersAnyOutgoing ( ) ; socket.off( [eventName][, listener] ) Inherited from the EventEmitter class . eventName <string> | <symbol> listener <Function> Returns <Socket> Removes the specified listener from the listener array for the event named eventName . const myListener = ( ) => { // ... } socket . on ( "my-event" , myListener ) ; // then later socket . off ( "my-event" , myListener ) ; The listener argument can also be omitted: // remove all listeners for that event socket . off ( "my-event" ) ; // remove all listeners for all events socket . off ( ) ; socket.offAny( [listener] ) Added in v3.0.0 listener <Function> Removes the previously registered listener. If no listener is provided, all catch-all listeners are removed. const myListener = ( ) => { /* ... */ } ; socket . onAny ( myListener ) ; // then, later socket . offAny ( myListener ) ; socket . offAny ( ) ; socket.offAnyOutgoing( [listener] ) Added in v4.5.0 listener <Function> Removes the previously registered listener. If no listener is provided, all catch-all listeners are removed. const myListener = ( ) => { /* ... */ } ; socket . onAnyOutgoing ( myListener ) ; // remove a single listener socket . offAnyOutgoing ( myListener ) ; // remove all listeners socket . offAnyOutgoing ( ) ; socket.on(eventName, callback) Inherited from the EventEmitter class . eventName <string> | <symbol> listener <Function> Returns <Socket> Register a new handler for the given event. socket . on ( "news" , ( data ) => { console . log ( data ) ; } ) ; // with multiple arguments socket . on ( "news" , ( arg1 , arg2 , arg3 , arg4 ) => { // ... } ) ; // with callback socket . on ( "news" , ( cb ) => { cb ( 0 ) ; } ) ; socket.onAny(callback) Added in v3.0.0 callback <Function> Register a new catch-all listener. socket . onAny ( ( event , ... args ) => { console . log ( ` got ${ event } ` ) ; } ) ; caution Acknowledgements are not caught in the catch-all listener. socket . emit ( "foo" , ( value ) => { // ... } ) ; socket . onAnyOutgoing ( ( ) => { // triggered when the event is sent } ) ; socket . onAny ( ( ) => { // not triggered when the acknowledgement is received } ) ; socket.onAnyOutgoing(callback) Added in v4.5.0 callback <Function> Register a new catch-all listener for outgoing packets. socket . onAnyOutgoing ( ( event , ... args ) => { console . log ( ` got ${ event } ` ) ; } ) ; caution Acknowledgements are not caught in the catch-all listener. socket . on ( "foo" , ( value , callback ) => { callback ( "OK" ) ; } ) ; socket . onAny ( ( ) => { // triggered when the event is received } ) ; socket . onAnyOutgoing ( ( ) => { // not triggered when the acknowledgement is sent } ) ; socket.once(eventName, callback) Inherited from the EventEmitter class . eventName <string> | <symbol> listener <Function> Returns <Socket> Adds a one-time listener function for the event named eventName . The next time eventName is triggered, this listener is removed and then invoked. socket . once ( "my-event" , ( ) => { // ... } ) ; socket.open() Added in v1.0.0 Synonym of socket.connect() . socket.prependAny(callback) Added in v3.0.0 callback <Function> Register a new catch-all listener. The listener is added to the beginning of the listeners array. socket . prependAny ( ( event , ... args ) => { console . log ( ` got ${ event } ` ) ; } ) ; socket.prependAnyOutgoing(callback) Added in v4.5.0 callback <Function> Register a new catch-all listener for outgoing packets. The listener is added to the beginning of the listeners array. socket . prependAnyOutgoing ( ( event , ... args ) => { console . log ( ` got ${ event } ` ) ; } ) ; socket.send( [...args][, ack] ) args <any[]> ack <Function> Returns <Socket> Sends a message event. See socket.emit(eventName[, ...args][, ack]) . socket.timeout(value) Added in v4.4.0 value <number> Returns <Socket> Sets a modifier for a subsequent event emission that the callback will be called with an error when the given number of milliseconds have elapsed without an acknowledgement from the server: socket . timeout ( 5000 ) . emit ( "my-event" , ( err ) => { if ( err ) { // the server did not acknowledge the event in the given delay } } ) ; Flags Flag: 'volatile' Added in v3.0.0 Sets a modifier for the subsequent event emission indicating that the packet may be dropped if: the socket is not connected the low-level transport is not writable (for example, when a POST request is already running in HTTP long-polling mode) socket . volatile . emit ( /* ... */ ) ; // the server may or may not receive it Edit this page Last updated on Nov 15, 2025 Next Options IO io.protocol io(url) Manager Constructor new Manager(url, options) Events Event: 'error' Event: 'ping' Event: 'reconnect' Event: 'reconnect_attempt' Event: 'reconnect_error' Event: 'reconnect_failed' Methods manager.connect(callback) manager.open(callback) manager.reconnection(value) manager.reconnectionAttempts(value) manager.reconnectionDelay(value) manager.reconnectionDelayMax(value) manager.socket(nsp, options) manager.timeout(value) Socket Events Event: 'connect' Event: 'connect_error' Event: 'disconnect' Attributes socket.active socket.connected socket.disconnected socket.id socket.io socket.recovered Methods socket.close() socket.compress(value) socket.connect() socket.disconnect() socket.emit(eventName, ...args) socket.emitWithAck(eventName, ...args) socket.listeners(eventName) socket.listenersAny() socket.listenersAnyOutgoing() socket.off(eventName) socket.offAny(listener) socket.offAnyOutgoing(listener) socket.on(eventName, callback) socket.onAny(callback) socket.onAnyOutgoing(callback) socket.once(eventName, callback) socket.open() socket.prependAny(callback) socket.prependAnyOutgoing(callback) socket.send(...args) socket.timeout(value) Flags Flag: 'volatile' Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:24 |
https://www.spreaker.com/user/14532324/s2e14-katarina-skroumpelou-on-workplace- | S2E14 | Katarina Skroumpelou on Workplace Conflict Discover Your Library Search For Podcasters Your Podcasts Free Our Platform How Spreaker Works Podcasts App Spreaker Create New Prime Network Help { if (!hidden) { $refs.inputMobile.focus(); } }); if (isSearch && !query) { if (window.innerWidth Sign up Login Sign up For Podcasters Your Podcasts Free Settings Light Theme Dark Theme Our Platform How Spreaker Works Podcasts App Spreaker Create New Prime Network Help { if (this.toast) { this.toast = null; } }, timings[this.toast.type]); }, getClassType() { return { 'bg-neutral-700 dark:bg-neutral-100 text-white dark:text-neutral-950': this .toast?.type === 'default', 'bg-sky-700 text-white': this.toast?.type === 'info', 'bg-emerald-700 text-white': this.toast?.type === 'success', 'bg-red-800 text-white': this.toast?.type === 'error', 'bg-orange-400 text-neutral-950': this.toast?.type === 'warning' } } }" x-on:toast.window="showToast($event.detail)" x-show="toast" class="fixed left-0 right-0 z-10 md:left-[250px]" x-transition> Dev Life S2E14 | Katarina Skroumpelou on Workplace Conflict May 2, 2022 · 1h 49s Loading Play Pause Add to queue In queue { SP.Utils.setDocumentShouldScroll(!opened); })"> Download Download and listen anywhere Download your favorite episodes and enjoy them, wherever you are! Sign up or log in now to access offline listening. Sign up to download { SP.Utils.setDocumentShouldScroll(!opened); })"> Embed Embed episode `; }, copyToClipboard() { this.copyStatus = 'DONE'; SP.Utils.copyToClipboard(this.getIframeCode()); setTimeout(() => { this.copyStatus = 'IDLE'; }, 2000); } }"> Dark Light Copy Done Looking to add a personal touch? Explore all the embedding options available in our developer's guide Share on X Share on Facebook Share on Bluesky Share on Whatsapp Share on Telegram Share on LinkedIn Description SHOW SUMMARY: In today’s episode we talk with Katerina Skroumpelou about workplace conflict. What do you do in situations where you’re involved with conflict of one kind or another? How... show more SHOW SUMMARY: In today’s episode we talk with Katerina Skroumpelou about workplace conflict. What do you do in situations where you’re involved with conflict of one kind or another? How can you be sure it’s something that needs more serious action? How far do you let it go before taking action? Are YOU the person that needs to make changes? Get answers to all these questions and SO much more as Katerina offers great insights and advice. LINKS: https://twitter.com/psybercity https://twitter.com/jedibravery https://twitter.com/erik_slack CONNECT WITH US: Katerina Skroumpelou @psybercity Brooke Avery @JediBravery Erik Slack @erik_slack show less Comments Sign in to leave a comment Information Author Dev Life Podcast Organization Dev Life Podcast Website - Tags #angular #conflict #experience #katarina #skroumpelou #workplace 🇬🇧 English 🇬🇧 English 🇮🇹 Italiano 🇪🇸 Espanõl 🇬🇧 English 🇬🇧 English 🇮🇹 Italiano 🇪🇸 Espanõl Terms Privacy {e.preventDefault(); showOneTrustPreferenceCenter();}" class="inline-flex items-center gap-2 hover:underline"> Your Privacy Choices Copyright 2026 - Spreaker Inc. an iHeartMedia Company { SP.Utils.setDocumentShouldScroll(!opened); })"> Playing Now Queue Looks like you don't have any active episode Browse Spreaker Catalogue to discover great new content Browse now Current Looks like you don't have any episodes in your queue Browse Spreaker Catalogue to discover great new content Browse now 1" class="mt-6"> Next Up Manage Done svg]:text-white"> Up Up Down Down Remove svg]:text-white"> It's so quiet here... Time to discover new episodes! Discover Your Library Search { SP.Utils.setDocumentShouldScroll(!opened); })"> Unlock Spreaker's full potential Sign up to keep listening, access your Library to pick up episodes right where you left off, and connect with your favorite creators. Experience the ultimate podcast listening on Spreaker! Sign up for free | 2026-01-13T08:48:24 |
https://docs.devcycle.com/integrations/terraform/ | Terraform | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page Terraform DevCycle Terraform Provider is a Terraform provider that provides a way to manage DevCycle projects, features, variables, variations, and environments. It also provides the ability to receive DevCycle Variable values during the apply step, and feature flag the behaviour of other Terraform configuration. Setup Usage Setup Install the Terraform Provider terraform { required_providers { devcycle = { source = "DevCycleHQ/devcycle" version = "1.0.0" } } } provider "devcycle" { client_id = "your-client-id" client_secret = "your-client-secret" server_sdk_token = "project-specific-server-sdk-token" } Set up DevCycle API Credentials All actions by the Terraform provider are scoped at the organization root level. This requires DevCycle API authorization. Your DevCycle organization's client ID and secret must be provided. They can be obtained from the settings page of the DevCycle dashboard. There are several ways to provide these credentials: Directly in the Terraform configuration This is not recommended, as your credentials will be visible in your Terraform state. But if you are securely controlling access to the state file, then this can be used safely. Set the client_id and client_secret fields in the provider.devcycle block in your Terraform configuration to the respective values. These will be used to get an OAuth2 access token at the time of use - this value is not stored in the Terraform state file for security. For the server_sdk_token field, this is scoped to a single DevCycle project. This should be the project you want to control your resources from. The server sdk token can be found in the same settings page as the client id and secret - but you need to select the right project first. Environment Variables Set the following environment variables: $ export DEVCYCLE_CLIENT_ID=<your client id> $ export DEVCYCLE_CLIENT_SECRET=<your client secret> $ export DEVCYCLE_SERVER_TOKEN=<your server token> Terraform will use these as a fallback from the provider passed variables. Meaning the values in the configuration block will take precedence over the environment variables. Usage For more detailed documentation on the DevCycle Terraform provider, see the DevCycle Terraform Provider Documentation After configuration of the provider - let's use the provider to create a DevCycle project. Create a Project resource "devcycle_project" "example" { name = "Example DevCycle Project" key = "example-devcycle-project" description = "Terraform example project" } Running terraform apply will create this project - and you can see it in the DevCycle dashboard. This creates a bare project - with no features or variables. To add those, lets create a feature. Create a Feature resource "devcycle_feature" "example" { project_id = devcycle_project.example.id name = "Example Feature" key = "example-feature" description = "Terraform example feature" type = "experiment" tags = ["terraform"] } This feature takes in the project id as a variable - we're passing in the id exported from the devcycle_project resource to make it simple. But if you wanted to create a feature for an already existing project that isn't managed by terraform - feel free to use the human readable project key instead. Anywhere you see id or key in the configuration, you can use either the human readable key or the id, as the API manages the conversion between the two. The feature resource can create and manage the variations and variables attached to the feature - but it's not recommended to manage the variables if you don't need to in the same block, and to instead use the devcycle_variable resource. Create a Variable resource "devcycle_variable" "example" { name = "Terraform Example Variable" key = "example-variable" description = "Terraform created variable" type = "Boolean" feature_id = devcycle_feature.example.id project_id = devcycle_project.example.id } After creating the variable - you can either read from the existing environments auto-created on project creation: development , staging , production or create a new one. Getting SDK Keys Using the data block - you can read the SDK keys that get generated for the environment to change keys automatically in your Terraform configuration. SDK Keys are prefixed by their type, client , mobile , or server . data "devcycle_environment" "test" { key = "development" project_key = devcycle_project.example.key } output "development_sdk_keys" { value = data.devcycle_environment.test.sdk_keys } Evaluating Variables One of the major features that this provider provides is the ability to evaluate variables. This is done by using the typed data blocks for the type of variable desired. data "devcycle_evaluated_variable_boolean" "create-resource" { default_value = false id = devcycle_variable.example.id user = { id = "user-id" } } This evaluation can then be accessed via data.devcycle_evaluated_variable_boolean.create-resource.value . The default value will be returned if there is no returned value from no matching variation. There is another data block for each type of variable that can be evaluated (JSON, Boolean, String, Number) Each is typed explicitly because a variable type cannot be changed after creation. Contributing to DevCycle or creating a new Integration: If you would like to contribute to an existing integration or tool, all of DevCycle's tools and integrations are open source on the DevCycle github repository. Further, if you'd like to create a new tool or integration, a great starting point is DevCycle's Management API which allows you to modify and interact with features and more within a devcycle project, as well as the DevCycle Bucketing API which is used to give users features and variables (as used within the DevCycle SDKs!) Edit this page Last updated on Jan 9, 2026 Setup Install the Terraform Provider Set up DevCycle API Credentials Usage Create a Project Create a Feature Create a Variable Getting SDK Keys Evaluating Variables DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://ruul.io/author/bilge-ozensoy | Ruul Blog Writer - Bilge Özensoy Product Payment Requests Get paid anywhere. Sell Services Make your services buyable Sell Products Create once sell forever Subscriptions Get paid on repeat Ruul Space Your personel storefront. One link for everything you offer. Learn more Pricing Resources Partner Programs Referral Program Get 1% for life. Seriously. Affiliate Program Bring users, get paid Partners Let’s grow together. More Blog About us Support Brand Kit For Customers Log in Sign up For Businesses Login Sign up Bilge Özensoy Former aspiring academic & freelancer now pursuing writing and all things content, exploring potentials of new media under Ruul. Passionate about social movements, feminism & LGBTI+ rights. What is autonomy and why it matters for work-life balance Understand autonomy's pivotal role in work-life balance. Explore its significance and how it empowers individuals to achieve harmony in their professional and personal lives. Gig economy jobs vs freelance work Though there is some overlap between gig economy jobs and freelance work, the two terms should not be conflated. Product Payment Requests Sell Services Sell Products Subscriptions Ruul Space Pricing For Businesses Resources Blog About Contact Support Referral Program Affiliate Program Partner Program Tools Invoice Generator NDA Generator Service Agreement Generator Freelancer Hourly Rate Calculator All Rights Reserved © 2025 Terms Of Use Privacy Policy | 2026-01-13T08:48:25 |
https://docs.devcycle.com/sdk/server-side-sdks/php | PHP SDK | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up SDK Overview SDK Lifecycle SDK Features Client-side SDKS Server-side SDKS Node.js SDK NestJS SDK PHP SDK Installation Getting Started Usage OpenFeature Example App Go SDK Ruby SDK Python SDK Java SDK .NET SDK SDK Proxy Server-side SDKS PHP SDK DevCycle PHP Server SDK Welcome to the DevCycle PHP SDK. There are two modes for the SDK, Cloud bucketing (using the Bucketing API ) and Local Bucketing. We recommend using the Local Bucketing mode by default, as it performs fast local evaluations of your feature flags. If you need access to EdgeDB you will need to use the Cloud Bucketing mode of the SDK. Installation Installing the SDK Getting Started Initializing the SDK Usage Using the SDK OpenFeature How to implement the OpenFeature Provider Example App Try it out for yourself The SDK is available as a package on Packagist. It is also open source and can be viewed on Github. Edit this page Last updated on Jan 9, 2026 Previous Example App Next Installation DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://docs.devcycle.com/integrations/opentelemetry | OpenTelemetry | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page OpenTelemetry OpenTelemetry is a vendor agnostic, open source standard for collecting telemetry data (metrics, logs, and traces). DevCycle's OpenTelemetry integration allows you to send feature flag evaluation spans to your OpenTelemetry instance as part of the traces. This allows you to correlate feature flag states with other service monitoring data, making it easier to investigate and resolve issues. This integration is supported with the following SDKs: .NET Java If you require support for a different SDK, please contact us at [email protected] . Send Flag Evaluations from Your App To capture flag evaluations in OpenTelemetry traces, DevCycle SDKs now support Evaluation Hooks . Ensure you're using a supported SDK version: SDK / Platform Minimum Version hook support .NET 4.8.1 Java 2.9.0 Python 3.13.0 Go 2.24.0 Node.js 1.55.0 Ruby 3.6.2 We provide ready-made integration hooks in this repo (DevCycle Integration Hooks for you to copy into your codebase. To enable collecting feature flag evaluations in the SDK, you will have to call the client's addHook method and pass in the hook to it. Example: Add Hook in Java // Create DevCycle client with default options devCycleClient = new DevCycleLocalClient(devCycleServerSdkKey); // Add OpenTelemetrySpanHook for all variable types OpenTelemetrySpanHook hook = new OpenTelemetrySpanHook(); devCycleClient.addHook(hook); Example: Add Hook in C# // Initialize DevCycle client with standard configuration DevCycleLocalClient client = new DevCycleLocalClientBuilder() .SetSDKKey("<DEVCYCLE_SERVER_SDK_KEY>") .SetLogger(LoggerFactory.Create(builder => builder.AddConsole())) .Build(); // Initialize evaluation hook with an ActivitySource for tracing client.AddEvalHook(new OpenTelemetrySpanHook(new ActivitySource("DevCycle.FlagEvaluations"))); When enabled, feature flag evaluations generate spans named: feature_flag_evaluation.{variable_key} which will have the attributes for the evaluation. There are following attributes added for each evaluation: Attribute Type Description feature_flag.key string The key of the variable that was evaluated. feature_flag.provider.name string The name of the provider that was used to evaluate the feature flag. (devcycle) feature_flag.context.id string The id of the user that was used to evaluate the feature flag. feature_flag.value_type string The type of the value that was evaluated. feature_flag.project string The project that the variable belongs to. feature_flag.environment string The environment that the variable belongs to. feature_flag.set.id string The feature that the evalluated variable belongs to. feature_flag.url string DevCycle URL of the feature. feature_flag.result.value string The value that was evaluated. feature_flag.result.reason string The reason for the evaluation. feature_flag.result.reason.details string The details of the evaluation. info Not all SDKs support all of the attributes, you may be missing some of the attributes depending on the SDK you are using. Refer to the SDK documentation for more information. Edit this page Last updated on Jan 9, 2026 Send Flag Evaluations from Your App Example: Add Hook in Java Example: Add Hook in C# DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://docs.devcycle.com/sdk/server-side-sdks/java/java-openfeature | Java OpenFeature Provider | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up SDK Overview SDK Lifecycle SDK Features Client-side SDKS Server-side SDKS Node.js SDK NestJS SDK PHP SDK Go SDK Ruby SDK Python SDK Java SDK Installation Getting Started Usage OpenFeature Example App .NET SDK SDK Proxy Server-side SDKS Java SDK OpenFeature On this page OpenFeature Provider AI-Powered Install MCP Install Follow the MCP Getting Started guide to quickly set up the DevCycle MCP server and connect your AI tool. Run this prompt: "Install DevCycle into this app" 📦 Install in Cursor 📦 Install in VS Code claude mcp add --transport http devcycle https://mcp.devcycle.com/mcp AI Prompt Copy Prompt OpenFeature is an open standard that provides a vendor-agnostic, community-driven API for feature flagging that works with DevCycle. DevCycle provides a Java implementation of the OpenFeature Provider interface, if you prefer to use the OpenFeature API. Installation The Provider implementation is built into the Java SDK. Maven You can use the Java SDK in your Maven project by adding the following to your pom.xml : < dependency > < groupId > com.devcycle </ groupId > < artifactId > java-server-sdk </ artifactId > < version > LATEST </ version > < scope > compile </ scope > </ dependency > info Refer to the latest version of the SDK on maven central if you would not prefer Maven or Gradle to pull the latest version automatically by using + Gradle Alternatively you can use the SDK in your Gradle project by adding the following to build.gradle : implementation("com.devcycle : java - server - sdk : +") Usage Start by creating and configuring the DevCycleLocalClient . Once the DevCycle client is configured, call the getOpenFeatureProvider() function to obtain the OpenFeature provider and set it into the OpenFeature API. import com.devcycle.sdk.server.local.api.DevCycleLocalClient; import com.devcycle.sdk.server.local.model.DevCycleLocalOptions; import dev.openfeature.sdk.*; public class OpenFeatureExample { public static void main(String[] args) { // Initialize DevCycle Client DevCycleLocalOptions options = DevCycleLocalOptions.builder().build(); DevCycleLocalClient devCycleClient = new DevCycleLocalClient(System.getenv("DEVCYCLE_SERVER_SDK_KEY"), options); // Set the provider into the OpenFeature API OpenFeatureAPI api = OpenFeatureAPI.getInstance(); api.setProviderAndWait(devCycleClient.getOpenFeatureProvider()); // Get the OpenFeature client Client openFeatureClient = api.getClient(); } } Evaluate a Variable Use a Variable value by passing the Variable key, default value, and EvaluationContext to one of the OpenFeature flag evaluation methods. // Retrieve a boolean flag from the OpenFeature client Boolean variableValue = openFeatureClient.getBooleanValue("boolean-flag", false, new MutableContext("user-1234")); NOTE: use DevCycleCloudClient \ DevCycleCloudOptions for Cloud Bucketing mode. Required Targeting Key For DevCycle SDK to work we require either a targeting key or user_id attribute to be set on the OpenFeature context. This value is used to identify the user as the user_id property for a DevCycleUser in DevCycle. Mapping Context Properties to DevCycleUser The provider will automatically translate known DevCycleUser properties from the OpenFeature context to the DevCycleUser object. DevCycleUser Java Interface For example all these properties will be set on the DevCycleUser : MutableContext context = new MutableContext("test-1234"); context.add("email", " [email protected] "); context.add("name", "name"); context.add("country", "CA"); context.add("language", "en"); context.add("appVersion", "1.0.11"); context.add("appBuild", 1000); Map<String,Object> customData = new LinkedHashMap<>(); customData.put("custom", "value"); context.add("customData", Structure.mapToStructure(customData)); Map<String,Object> privateCustomData = new LinkedHashMap<>(); privateCustomData.put("private", "data"); context.add("privateCustomData", Structure.mapToStructure(privateCustomData)); Context properties that are not known DevCycleUser properties will be automatically added to the customData property of the DevCycleUser . DevCycle allows the following data types for custom data values: boolean , integer , double , float , and String . Other data types will be ignored. JSON Flag Limitations The OpenFeature spec for JSON flags allows for any type of valid JSON value to be set as the flag value. For example the following are all valid default value types to use with OpenFeature: // Invalid JSON values for the DevCycle SDK, will return defaults openFeatureClient.getObjectValue("json-flag", new Value(new ArrayList<String>(Arrays.asList("value1", "value2")))); openFeatureClient.getObjectValue("json-flag", new Value(610)); openFeatureClient.getObjectValue("json-flag", new Value(false)); openFeatureClient.getObjectValue("json-flag", new Value("string")); openFeatureClient.getObjectValue("json-flag", new Value()); However, these are not valid types for the DevCycle SDK, the DevCycle SDK only supports JSON Objects (as Map<String,Object> ): Map<String,Object> defaultJsonData = new LinkedHashMap<>(); defaultJsonData.put("default", "value"); openFeatureClient.getObjectValue("json-flag", new Value(Structure.mapToStructure(defaultJsonData))); This is enforced both for both the flag values and the default values supplied to the getObjectValue() method. Invalid types will trigger a dev.openfeature.sdk.exceptions.TypeMismatchError exception. Edit this page Last updated on Jan 9, 2026 Previous Usage Next Example App AI-Powered Install Installation Maven Gradle Usage Evaluate a Variable Required Targeting Key Mapping Context Properties to DevCycleUser JSON Flag Limitations DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://docs.devcycle.com/integrations/bitbucket/pr-insights-action | Bitbucket: Feature Flag Change Insights on Pull Request | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page Bitbucket: Feature Flag Change Insights on Pull Request Get the integration on the Bitbucket Marketplace Bitbucket Pipelines Pipe: DevCycle PR Insights With this Bitbucket pipeline, information on which DevCycle features have been added or removed in a code change will be shown directly on each Pull Request as a comment. Note: This is intended for pull-requests workflow events Example Output YAML Definition Add the following snippet to your bitbucket-pipelines.yml file: pull-requests : '*' : - step : script : - pipe : devcyclehq/devcycle - pr - insights - pipe : 1.2.1 variables : USER_NAME : '<string>' PASSWORD : '<string>' # PROJECT_KEY: '<string>' # Optional. # CLIENT_ID: '<string>' # Optional. # CLIENT_SECRET: '<string>' # Optional. We recommend including your DevCycle API credentials and project token as inputs. If included, the PR comment will be enriched with Feature Flag data from DevCycle. Variables To add variables to be used in the bitbucket-pipelines.yml, an admin must add Repository Variables in Repository Settings > Repository Variables, and then add all necessary variables as secured variables Variable Description USER_NAME (*) Your bitbucket username PASSWORD (*) Your generated app password PROJECT_KEY Your DevCycle project key, see Projects CLIENT_ID Your organization's API client ID, see Organization Settings CLIENT_SECRET Your organization's API client secret, see Organization Settings (*) = required variable. Prerequisites Create a new Project & a new Feature Generate a new App Password Select write permissions under Pull Requests , and create the password Grab your username, can easily find it in Personal Settings Optional Prerequisites Grab the PROJECT_KEY in Projects , and find your specific project name & key Grab the CLIENT_ID in Settings , under API AUTHENTICATION Grab the CLIENT_SECRET in Settings , under API AUTHENTICATION Examples Example: pull-requests : '*' : - step : script : - pipe : devcyclehq/devcycle - pr - insights - pipe : 1.2.1 variables : USER_NAME : $BITBUCKET_USER_NAME PASSWORD : $BITBUCKET_APP_PASSWORD PROJECT_KEY : $DEVCYCLE_PROJECT_KEY CLIENT_ID : $DEVCYCLE_CLIENT_ID CLIENT_SECRET : $DEVCYCLE_CLIENT_SECRET Configuration The patterns used to identify references to variables in your code are fully customizable. This action uses the DevCycle CLI under the hood, for details on how to configure the pattern matcher see the CLI configuration . Support The pipe is maintained by [email protected] . If you are reporting an issue, please include: the version of the pipe relevant logs and error messages steps to reproduce Edit this page Example Output YAML Definition Variables Prerequisites Examples Configuration Support DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://dev.to/adventures_in_ml/how-does-chatgpt-work-ml-107#main-content | How Does ChatGPT Work? - ML 107 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Adventures in Machine Learning Follow How Does ChatGPT Work? - ML 107 Mar 10 '23 play ChatGPT is the most robust free chatbot. It can answer questions, write code, and summarize text. Today we will talk about the creation of ChatGPT, its implications for society, and how the model actually works. Sponsors Chuck's Resume Template Developer Book Club starting Become a Top 1% Dev with a Top End Devs Membership Advertising Inquiries: https://redcircle.com/brands Privacy & Opt-Out: https://redcircle.com/privacy Episode source Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Your browser does not support the audio element. 1x initializing... × 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account | 2026-01-13T08:48:25 |
https://www.fine.dev/blog/scaling-ai-in-startups | Scaling AI in Startups: A CTO’s Step-by-Step Framework for Success Home Docs Changelog Pricing Sign in Get started -> Menu Home Docs Changelog Pricing <- Go Back Scaling AI in Startups: A CTO’s Step-by-Step Framework for Success Startups move fast. As CTO, the pressure's on you to innovate. Scaling AI raises the stakes: Big rewards, big risks. How do you scale AI and avoid costly mistakes? Here’s a step-by-step guide to help you get it right. Table of Contents Start Small, Focus on Impact Build the Right Team, Not Just the Tech Prioritize Data Quality Over Quantity Establish Scalable Infrastructure Early On Focus on Model Lifecycle Management Embrace Explainability and Ethical AI Develop Iterative Processes for Continual Improvement Consider Productizing AI as an Asset Conclusion: Drive Growth, One Step at a Time ### Start Small, Focus on Impact Start with small experiments. Find a problem where AI adds value. Automate a repetitive task, improve support, or enhance recommendations. Prove value early. Earn trust. Show AI's benefits. Tip: Align first projects with business goals. Early wins rally support. ### Build the Right Team, Not Just the Tech AI is a people challenge. You need more than data scientists. Data engineers, ML engineers, product managers—all crucial. Diverse skills bridge the gap between algorithms and real solutions. If hiring is tough, use consultants or freelancers. Many startups start with external help before building an internal team. ### Prioritize Data Quality Over Quantity More data doesn’t always mean better AI. Quality matters more. Clean and curate your datasets. Make sure they're representative and unbiased. Don’t get bogged down by unusable data. Tip: Set up data governance from the start. Know where data comes from, how it's stored, and managed. ### Establish Scalable Infrastructure Early On Scalable infrastructure is key. Use cloud services like AWS, Google AI, or Azure ML to save time. Focus on innovation, not infrastructure management. Use Docker or Kubernetes as needs grow. They keep deployments consistent as you scale. ### Focus on Model Lifecycle Management Models degrade over time. Manage the whole lifecycle—development, deployment, monitoring, retraining. ModelOps keeps models effective as you grow. Tip: Use tools like MLflow or DVC. Set up monitoring early to catch data drift or performance drops. ### Embrace Explainability and Ethical AI AI decisions shouldn’t be a black box. Prioritize explainability, especially with sensitive data. Make sure models are interpretable and fair. Lead by example—push for unbiased models. Tip: Use libraries like LIME or SHAP for transparency. ### Develop Iterative Processes for Continual Improvement AI is an iterative journey. Gather feedback continuously. Track metrics—accuracy, precision, real-world outcomes. Assess impact on business metrics like growth and efficiency. Use feedback to refine and focus future development. ### Consider Productizing AI as an Asset Once AI proves value, make it reusable. Productize models to differentiate your startup. Create modular solutions usable across the company. Tip: Think beyond one-off projects. Make AI reusable. ### Conclusion: Drive Growth, One Step at a Time Scaling AI is a marathon, not a sprint. Start small, build the right team, get infrastructure right, and iterate. Follow this framework to navigate AI scaling, driving growth and value. Scaling AI is challenging—but approached thoughtfully, it’s one of the most rewarding transformations your startup can take on. 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:48:25 |
https://docs.devcycle.com/sdk/client-side-sdks/roku | Roku SDK | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up SDK Overview SDK Lifecycle SDK Features Client-side SDKS JavaScript SDK React SDK Next.js SDK Angular SDK iOS SDK Android SDK React Native Flutter SDK Roku SDK Installation Getting Started Usage Example App Server-side SDKS SDK Proxy Client-side SDKS Roku SDK DevCycle Roku Client SDK The DevCycle Roku Client SDK! This SDK uses our Client SDK APIs to perform all user segmentation and bucketing for the SDK, providing fast response times using our globally distributed edge workers all around the world. Installation Installing the SDK Getting Started Initializing the SDK Usage Using the SDK Example App Try it out for yourself We provide releases on GitHub . Download the latest release and extract the provided files into your source tree. You may need to rename the paths inside DevCycleTask.xml depending on your project structure. For SceneGraph usage, add a DevCycleTask node to your scene. Edit this page Last updated on Jan 9, 2026 Previous Example App Next Installation DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://www.linkedin.com/checkpoint/rp/request-password-reset | Reset Password | LinkedIn Sign in Join now Forgot password We’ll send a verification code to this email or phone number if it matches an existing LinkedIn account. Email or Phone We don’t recognize that email. Did you mean {:emailSuggestion} ? We’ll send a verification code to this email or phone number if it matches an existing LinkedIn account. Next or Back LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) | 2026-01-13T08:48:25 |
https://docs.devcycle.com/sdk/server-side-sdks/ruby | Ruby SDK | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up SDK Overview SDK Lifecycle SDK Features Client-side SDKS Server-side SDKS Node.js SDK NestJS SDK PHP SDK Go SDK Ruby SDK Installation Getting Started Usage OpenFeature Example App Python SDK Java SDK .NET SDK SDK Proxy Server-side SDKS Ruby SDK DevCycle Ruby Server SDK Welcome to the DevCycle Ruby SDK. There are two modes for the SDK, Cloud bucketing (using the Bucketing API ) and Local Bucketing. We recommend using the Local Bucketing mode by default, as it performs fast local evaluations of your feature flags. If you need access to EdgeDB you will need to use the Cloud Bucketing mode of the SDK. Installation Installing the SDK Getting Started Initializing the SDK Usage Using the SDK OpenFeature How to implement the OpenFeature Provider Example App Try it out for yourself The SDK is available as a package on RubyGems. It is also open source and can be viewed on GitHub. Edit this page Last updated on Jan 9, 2026 Previous Example App Next Installation DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://docs.devcycle.com/sdk/client-side-sdks/nextjs | Next.js SDK | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up SDK Overview SDK Lifecycle SDK Features Client-side SDKS JavaScript SDK React SDK Next.js SDK Installation Usage - App Router Usage - Pages Router Typescript Example App Angular SDK iOS SDK Android SDK React Native Flutter SDK Roku SDK Server-side SDKS SDK Proxy Client-side SDKS Next.js SDK On this page DevCycle Next.js SDK The DevCycle Next.js SDK lets you easily integrate your Next.js applications with DevCycle. Installation Installing the SDK Usage - App Router Initializing the SDK Usage - Pages Router Initializing the SDK Typescript SDK features for Typescript users Example App Try it out for yourself The SDK is available as a package on npm. It is also open source and can be viewed on Github. This SDK depends on the fetch API. Features full support for App Router and server components keep server and client rendered content in sync with the same variable values realtime updates to variable values for both server and client components support for Suspense streaming rendering with non-blocking variable state retrieval support for static page rendering exclude component code from client bundle when feature is disabled Requirements SDK Version Minimum Next.js Version Minimum React Version 3.0.0+ 15.1.0 18.2 2.0.0+ 14.1.0 18.2 Edit this page Last updated on Jan 9, 2026 Previous Example App Next Installation Features Requirements DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://docs.devcycle.com/integrations/github/pr-insights-action | GitHub: Feature Flag Change Insights on Pull Request | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page GitHub: Feature Flag Change Insights on Pull Request Get the integration on the GitHub Marketplace Overview With this Github action, information on which DevCycle features have been added or removed in a code change will be shown directly on each Pull Request as a comment. Note: This is intended for pull_request workflow events Example Output Usage Create a new Actions workflow in your GitHub repository (e.g. devcycle-insights.yml) in the .github/workflows directory. In your new file, paste the following code: on : pull_request jobs : dvc-feature-flag-insights : runs-on : ubuntu - latest name : Generate DevCycle PR Insights steps : - uses : actions/checkout@v4 with : fetch-depth : 0 - uses : DevCycleHQ/feature - flag - pr - insights - [email protected] with : # Token generated by GitHub github-token : $ { { secrets.GITHUB_TOKEN } } # Your DevCycle project key project-key : your - project - key # Your organization's DevCycle API client ID & secret client-id : $ { { secrets.DVC_CLIENT_ID } } client-secret : $ { { secrets.DVC_CLIENT_SECRET } } We recommend including your DevCycle API credentials and project token as inputs. If included, the PR comment will be enriched with Feature Flag data from DevCycle. When referencing your API client ID and secret, we recommend using GitHub Secrets to store your credentials securely. Inputs input required description github-token yes The GitHub Actions token e.g. secrets.GITHUB_TOKEN project-key no Your DevCycle project key, see Projects client-id no Your organization's API client ID, see Organization Settings client-secret no Your organization's API client secret, see Organization Settings only-comment-on-change no If true, comments will only be added to PRs when changes to DevCycle variables are detected. Defaults to false. Configuration The patterns used to identify references to variables in your code are fully customizable. This action uses the DevCycle CLI under the hood, for details on how to configure the pattern matcher see the CLI configuration . Edit this page Overview Example Output Usage Inputs Configuration DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://docs.devcycle.com/integrations/github/pr-insights-action/ | GitHub: Feature Flag Change Insights on Pull Request | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page GitHub: Feature Flag Change Insights on Pull Request Get the integration on the GitHub Marketplace Overview With this Github action, information on which DevCycle features have been added or removed in a code change will be shown directly on each Pull Request as a comment. Note: This is intended for pull_request workflow events Example Output Usage Create a new Actions workflow in your GitHub repository (e.g. devcycle-insights.yml) in the .github/workflows directory. In your new file, paste the following code: on : pull_request jobs : dvc-feature-flag-insights : runs-on : ubuntu - latest name : Generate DevCycle PR Insights steps : - uses : actions/checkout@v4 with : fetch-depth : 0 - uses : DevCycleHQ/feature - flag - pr - insights - [email protected] with : # Token generated by GitHub github-token : $ { { secrets.GITHUB_TOKEN } } # Your DevCycle project key project-key : your - project - key # Your organization's DevCycle API client ID & secret client-id : $ { { secrets.DVC_CLIENT_ID } } client-secret : $ { { secrets.DVC_CLIENT_SECRET } } We recommend including your DevCycle API credentials and project token as inputs. If included, the PR comment will be enriched with Feature Flag data from DevCycle. When referencing your API client ID and secret, we recommend using GitHub Secrets to store your credentials securely. Inputs input required description github-token yes The GitHub Actions token e.g. secrets.GITHUB_TOKEN project-key no Your DevCycle project key, see Projects client-id no Your organization's API client ID, see Organization Settings client-secret no Your organization's API client secret, see Organization Settings only-comment-on-change no If true, comments will only be added to PRs when changes to DevCycle variables are detected. Defaults to false. Configuration The patterns used to identify references to variables in your code are fully customizable. This action uses the DevCycle CLI under the hood, for details on how to configure the pattern matcher see the CLI configuration . Edit this page Overview Example Output Usage Inputs Configuration DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://docs.devcycle.com/integrations/dynatrace | Dynatrace | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page Dynatrace The DevCycle Dynatrace integration allows you to correlate Feature Flag changes and Flag evaluations with your Dynatrace instance. This provides visibility into Feature Flag states alongside other service monitoring data, making it easier to investigate and resolve issues. The setup has two parts: Connect DevCycle to Dynatrace , so that Feature Flag change events appear in Dynatrace. Configure your application to send Flag Evaluations as part of the traces to Dynatrace Part A: Setting up Dynatrace Integration on DevCycle to receive Flag change updates Because Feature Flags can change independently of deployments, they often don't show up in your observability tools. Setting up this connection ensures that Feature Flag changes are logged in Dynatrace. Step 1: Create a Dynatrace Access Token In Dynatrace, create a new token with the following scopes: openpipeline.events openpipeline.events_sdlc openpipeline.events_sdlc.custom Save this token securely — you'll need it shortly. Step 2: Add Dynatrace Environment in DevCycle note Note: If Permissions are enabled for your Organization, only Organization Admins can perform this step. Go to your DevCycle Organization Settings → Dynatrace in the left navigation. Click Add Dynatrace Environment and enter the following details: Environment ID Environment URL Access Token Assign the Dynatrace Environment in the Project Settings for each Project you want to enable. In Project Settings, you'll see the Dynatrace Integration card. Enable the integration and manage Environment mapping. Be sure to click Save after making changes. Part B: Send Flag Evaluations from Your App To capture Flag Evaluations in Dynatrace traces, DevCycle SDKs now support Evaluation Hooks . Ensure you're using a supported SDK version: dotnet DevCycle . SDK . Server . Local 4.8 .1 java com . devcycle : java - server - sdk : 2.9 .0 python devcycle - python - server - sdk 3.13 .0 go github . com / devcyclehq / go - server - sdk / v2 2.24 .0 js @devcycle / nodejs - server - sdk 1.55 .0 We provide ready-made Dynatrace integration hooks in this repo (Dynatrace Integration Hooks ) for you to copy into your codebase. info These hooks are designed for Dynatrace OneAgent and are not supported in every language. Feel free to adapt them for your own use case. To enable in the SDK, you will have to call the client's addHook method and pass in the hook to it. Example: Add Hook in Java // Create DevCycle client with default options devCycleClient = new DevCycleLocalClient(devCycleServerSdkKey); // Add Dynatrace OneAgent SDK hook for all variable types DynatraceOneAgentLogHook hook = new DynatraceOneAgentLogHook(); devCycleClient.addHook(hook); Example: Add Hook in C# // Initialize DevCycle client with standard configuration DevCycleLocalClient client = new DevCycleLocalClientBuilder() .SetSDKKey("<DEVCYCLE_SERVER_SDK_KEY>") .SetLogger(LoggerFactory.Create(builder => builder.AddConsole())) .Build(); // Initialize evaluation hook with an ActivitySource for tracing var hook = new DynatraceOneAgentHook(new ActivitySource("DevCycle.FlagEvaluations")); client.AddEvalHook(hook); When enabled, Feature Flag evaluations generate spans named: feature_flag_evaluation.{feature_key} which will have the attributes for the evaluation. Workflows & Dashboard Setup in Dynatrace We provide a Dynatrace workflow and dashboard to help visualize and investigate Feature Flag data. Workflow : Automatically creates a Feature Flag update event for services sending spans (no need to manually map services to Flags). Dashboard : Displays Flag state changes over time, including response rates, throughput, and error rates in regards to a specific Feature Flag for a service. You will have to import the Workflow and Dashboard into your Dynatrace instance through the following steps. Import Workflow Download the workflow JSON: Workflows Feature Flag.json In Dynatrace, go to Workflows → Upload , and import the file. Import Dashboard Download the dashboard JSON: Feature Flag Observability.json In Dynatrace, go to Dashboards → Upload , and import the file. Edit this page Last updated on Jan 9, 2026 Part A: Setting up Dynatrace Integration on DevCycle to receive Flag change updates Step 1: Create a Dynatrace Access Token Step 2: Add Dynatrace Environment in DevCycle Part B: Send Flag Evaluations from Your App Example: Add Hook in Java Example: Add Hook in C# Workflows & Dashboard Setup in Dynatrace Import Workflow Import Dashboard DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://docs.devcycle.com/integrations/openfeature/ | OpenFeature | DevCycle Docs Skip to main content Home SDKs APIs Management API Bucketing API Integrations CLI / MCP Best Practices Community Blog Discord Search Sign Up On this page OpenFeature OpenFeature is an open standard that provides a vendor-agnostic, community-driven SDKs for Feature Flagging that works natively with DevCycle. DevCycle supports a wide range of OpenFeature Compatible SDKs , all of which have native integrations with OpenFeature. What is OpenFeature? OpenFeature is a standardization initiative that creates a common interface for Feature Flag operations across different platforms and vendors. Think of it as a universal adapter for Feature Flags. You can write your code once using OpenFeature's specifications, and switch between different Feature Flag providers (like DevCycle) without rewriting your code. This standardization is particularly valuable if you're working in a multi-vendor environment, migrating between Feature Flag platforms, or want to future-proof your codebase against vendor changes. DevCycle provides fully-featured OpenFeature providers for both client-side and server-side applications, giving you the flexibility of the OpenFeature standard combined with DevCycle's advanced Feature management capabilities. OpenFeature Compatible SDKs Client-Side JavaScript React Angular iOS Android Server-Side Node.js Go Java .NET / C# Python PHP Ruby NestJS Core Concepts OpenFeature's architecture is built around several key components that work together to provide a flexible and extensible Feature Flagging system. Evaluation API The Evaluation API is your primary interface for retrieving Feature Flags in your application. It's the backbone of all SDKs and provides standard methods for retrieving Feature, Variable and Variation data from your Feature Flag Provider. These APIs and methods abstracts away the complexity of communicating with your underlying Feature Flag service(s). When you integrate DevCycle through OpenFeature, your application code will use OpenFeature's standardized methods and DevCycle will handle the logic of Flag resolution, user targeting, and configuration management. Providers Providers act as the bridge between OpenFeature's SDKs and Feature Flag platforms. Providers can wrap around an existing vendor's SDK, interact directly with OpenFeature's REST APIs, or parse a locally stored file to obtain Flag evaluations. They will translate arguments supplied via OpenFeature to the vendor's SDK and vice versa. Example: Using setProvider / setProviderAndWait to set up the DevCycleProvider on the JavaScript OpenFeature SDK. import DevCycleProvider from '@devcycle/openfeature-web-provider' import { OpenFeature } from '@openfeature/web-sdk' // Initialize the DevCycle Provider const devcycleProvider = new DevCycleProvider ( '<DEVCYCLE_CLIENT_SDK_KEY>' ) // Set the DevCycleProvider for OpenFeature await OpenFeature . setProviderAndWait ( devcycleProvider ) // Get the OpenFeature client const openFeatureClient = OpenFeature . getClient ( ) DevCycle's OpenFeature provider is built on top of our native SDKs, giving you access to all of DevCycle's capabilities including Realtime Updates, EdgeDB, and Advanced Targeting, through the OpenFeature standard interface. Evaluation Context Evaluation Context represents the user and environmental information that influences which Features and Variations a user receives. This may include user identifiers, device data, and any other custom properties relevant to your target audience. You can set context globally for your entire application or pass it dynamically with each Flag evaluation. OpenFeature's context model maps directly to DevCycle's User Properties , enabling granular audience segmentation based on user or device-based properties as well as other environmental factors. This ensures your Targeting Rules work identically whether you're using DevCycle's native SDKs or the OpenFeature interface. Example: Setting the Evaluation Context on the JavaScript OpenFeature SDK. // Get the OpenFeature client const openFeatureClient = OpenFeature . getClient ( ) // Set the OpenFeature evaluation context openFeatureClient . setContext ( { user_id : 'your_unique_id' , email : ' [email protected] ' , name : 'name' , language : 'en' , country : 'CA' , appVersion : '1.0.11' , appBuild : 1000 , customData : { key : 'value' } , privateCustomData : { key : 'value' } , } ) OpenFeature's setContext method maps to identifyUser on DevCycle. await devCycleClient . identifyUser ( { user_id : 'your_unique_id' , email : ' [email protected] ' , name : 'name' , language : 'en' , country : 'CA' , appVersion : '1.0.11' , appBuild : 1000 , customData : { key : 'value' } , privateCustomData : { key : 'value' } , } ) Hooks Hooks provide extension points throughout the Flag (Variable) Evaluation lifecycle, allowing you to inject custom logic before, during, or after Flag Evaluations. Common use cases include adding telemetry, enriching evaluation context with additional data, implementing custom caching strategies, or validating Flag values before they're returned to your application. DevCycle Server SDKs support hooks, allowing you to hook into the lifecycle of a Variable Evaluation to execute code and build custom integrations before and after execution of the evaluation. Example: const client = new DevCycleClient ( 'token' ) client . addHook ( new EvalHook ( ( context ) => { // before hook } , ( context , variableDetails ) => { // after hook } , ( context , variableDetails ) => { // onFinally hook } , ( context , variableDetails ) => { // error hook } , ) , ) Tracking Tracking in OpenFeature links Metrics or Key Performance Indicators (KPIs) to Feature Flag Evaluation contexts. This connection allows teams to assess how Feature releases affect their Organization, whether it's making a positive or negative impact and if they can iterate off of it. Tracking Metrics are crucial to Feature Experimentation and A/B testing. Implementing Tracking in DevCycle can be done by adding Custom Events to your application in order to capture specific events that you'd want to measure, and setting up Metrics on your Feature in order to view, compare and analyze the results of your Feature releases. Example: Implementing a Track event on the JavaScript OpenFeature SDK. openFeatureClient . track ( 'custom-event' , { target : 'event-target' , value : 100 , metaDataField : 'value' , } ) OpenFeature's track method maps to DevCycle's track method. devcycleClient . track ( { type : 'custom-event' , target : 'event-target' , value : 100 , metaData : { metaDataField : 'value' , } , } ) OpenFeature Remote Evaluation API The OpenFeature Remote Evaluation API (OFREP) is a new open standard API interface for Feature Flagging that allows the use of generic providers to connect to any Feature Flag management systems that supports the protocol. Note: the standard is in its very early stages and is subject to change. See our Bucketing API Documentation for more information on how to consume the OpenFeature Remote Evaluation API with DevCycle. Edit this page Last updated on Jan 9, 2026 What is OpenFeature? OpenFeature Compatible SDKs Client-Side Server-Side Core Concepts Evaluation API Providers Evaluation Context Hooks Tracking OpenFeature Remote Evaluation API DevCycle Dashboard Blog Privacy Policy Twitter Discord GitHub Copyright © 2026 DevCycle. All rights reserved. | 2026-01-13T08:48:25 |
https://workers.cloudflare.com/?ref=apisyouwonthate.com | Cloudflare Workers Cloudflare Workers Platform Products Solutions Pricing Documentation Blog Login Start building Everything we learned from powering 20% of the Internet—yours by default Cloudflare is your AI Cloud with compute, AI inference, and storage — letting you ship applications instead of managing infrastructure. Start building The cloud that works for developers, not the other way around Deploy serverless functions, frontends, containers, and databases to 330+ cities with one command. AI Agents WebRTC Platforms Multiplayer Data Platform React Flow Press enter or space to select a node. You can then use the arrow keys to move the node around. Press delete to remove it and escape to cancel. Press enter or space to select an edge. You can then press delete to remove it or escape to cancel. Build AI agents on durable objects with code execution, inference, AI gateway all built-in "Cloudflare provided everything from OAuth to out-of-the-box remote MCP support so we could quickly build, secure, and scale a fully operational setup." Architecture inspired by Atlassian Create your own app Inspired by Discord Region: Earth Our smart network positions your workloads optimally — close to users, close to data. Run everywhere Run code in 330+ cities around the world, within 50ms of 95% of the world's population. Run anywhere Run code near the user, database, or near your APIs. Our smart network will schedule your requests to optimize for the best latency. Run at massive scale Run on Cloudflare's infrastructure, supporting 449 Tbps of network capacity, serving over 81 million HTTP requests per second. Cloudflare powers 1 in 5 sites on the Internet Trusted by the teams you trust. And thousands more... Go from in minutes No DevOps. Minimal cold starts. No surprise bills. From first line to full scale Deploy working code in seconds or start from hundreds of templates — all built to scale. See templates Player 1 Player 2 multiplayer-cursors.tsx text-to-image.tsx hello-world.tsx import { routePartykitRequest , Server } from "partyserver" ; import type { OutgoingMessage , Position } from "../shared" ; import type { Connection , ConnectionContext } from "partyserver" ; // This is the state that we'll store on each connection type ConnectionState = { position : Position ; } ; export class Globe extends Server { onConnect ( conn : Connection<ConnectionState> , ctx : ConnectionContext ) { // Whenever a fresh connection is made, we'll // send the entire state to the new connection // First, let's set up the connection state conn . setState ( { position : { x : 0 , y : 0 } } ) ; // Send current state to new connection this . broadcast ( JSON . stringify ( { type : "user-joined" , id : conn . id , position : conn . state . position } ) ) ; } onMessage ( message : string , sender : Connection<ConnectionState> ) { const data = JSON . parse ( message ) as OutgoingMessage ; if ( data . type === "position-update" ) { sender . setState ( { position : data . position } ) ; // Broadcast position update to all other connections this . broadcast ( JSON . stringify ( { type : "position-update" , id : sender . id , position : data . position } ) , [ sender . id ] ) ; } } onClose ( connection : Connection<ConnectionState> ) { this . broadcast ( JSON . stringify ( { type : "user-left" , id : connection . id } ) ) ; } } ~/workspace/multiplayer-app git:(main) Deploy with one command Let it spike. We got you. Your application runs globally, handles millions of requests, and scales without you thinking about it. Pay only when your code runs (Not to keep servers warm.) Wall Clock vs. CPU Time Never pay for idle time waiting for slow APIs, LLMs, or humans. Cloudflare charges only for compute, not wall time, even during long agent workflows or hibernating WebSockets. 1ms free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free LLM Call 2500ms 0.5ms free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free free API Call 300ms 0.75ms Paid Free Free No credit card needed See more Workers Durable Objects R2 Workers KV 100,000 / daily requests 1 million / KV daily reads 25 / AI daily requests 10GB / R2 Storage Paid Starts at $5/month See more Workers Durable Objects R2 Workers KV $0.30 / million requests $0.02 / million CPU ms Why developers choose Cloudflare Everything needed to build performant applications. Fighting infra with “cloud” Shipping with Cloudflare Tailored to your working style Always simple, fast, and reliable. Fits into your existing workflows Git, GitHub Actions, VS Code, and any framework. No proprietary tools or vendor lock-in. Instant feedback loops Our smart network positions your workloads optimally — close to users, close to data. --> Observable by default Built-in logs, metrics, and tracing. Understand your application's performance without setting up monitoring infrastructure. Compatible with your stack Use the languages and frameworks you know — JS, TS, Python, Rust, React, and more. Cloudflare works with your existing databases, APIs, and services. /ide.tsx /avatar.svelte /func.py /api.js import { Code } from "@/components/shared/code-editor" import { Icon } from "@/components/ui" import { minDarkTheme } from "@/themes/min-dark" export const IDE = ( ) => { const [ activeTab , setActiveTab ] = useState ( 0 ) const [ isHovering , setIsHovering ] = useState ( false ) const tabs = [ { icon : "typescript" , name : "multiplayer.ts" , language : "typescript" } , { icon : "svelte" , name : "profile.svelte" , language : "svelte" } , { icon : "python" , name : "function.py" , language : "python" } ] return ( < div className = "bg-background-100 mt-8 flex h-full w-full flex-col rounded-md border" > < div className = "flex" > { tabs . map ( ( tab , index ) => ( < button key = { tab . name } className = "flex items-center gap-1.5 px-3 py-2 transition-colors" onMouseEnter = { ( ) => { setIsHovering ( true ) setActiveTab ( index ) } } > < Icon icon = { tab . icon } className = "size-4" /> { tab . name } </ button > ) ) } </ div > < div className = "h-full w-full overflow-hidden" > < SyntaxHighlighter language = { activeTabData . language } style = { minDarkTheme } showLineNumbers > <span c | 2026-01-13T08:48:25 |
https://socket.io/docs/v4/namespaces/#client-initialization | Namespaces | Socket.IO Skip to main content Latest blog post (July 25, 2024): npm package provenance . Socket.IO Docs Guide Tutorial Examples Emit cheatsheet Server API Client API Ecosystem Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor 4.x 4.x 3.x 2.x Changelog English English Español Français Português (Brasil) 中文(中国) Search Socket.IO Documentation Server Client Events Adapters Advanced Namespaces Custom parser Admin UI Usage with PM2 Load testing Performance tuning Migrations Miscellaneous Advanced Namespaces Version: 4.x On this page Namespaces A Namespace is a communication channel that allows you to split the logic of your application over a single shared connection (also called "multiplexing"). Introduction Each namespace has its own: event handlers io . of ( "/orders" ) . on ( "connection" , ( socket ) => { socket . on ( "order:list" , ( ) => { } ) ; socket . on ( "order:create" , ( ) => { } ) ; } ) ; io . of ( "/users" ) . on ( "connection" , ( socket ) => { socket . on ( "user:list" , ( ) => { } ) ; } ) ; rooms const orderNamespace = io . of ( "/orders" ) ; orderNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; orderNamespace . to ( "room1" ) . emit ( "hello" ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . on ( "connection" , ( socket ) => { socket . join ( "room1" ) ; // distinct from the room in the "orders" namespace userNamespace . to ( "room1" ) . emit ( "holà" ) ; } ) ; middlewares const orderNamespace = io . of ( "/orders" ) ; orderNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "orders" namespace, and then next ( ) ; } ) ; const userNamespace = io . of ( "/users" ) ; userNamespace . use ( ( socket , next ) => { // ensure the socket has access to the "users" namespace, and then next ( ) ; } ) ; Possible use cases: you want to create a special namespace that only authorized users have access to, so the logic related to those users is separated from the rest of the application const adminNamespace = io . of ( "/admin" ) ; adminNamespace . use ( ( socket , next ) => { // ensure the user has sufficient rights next ( ) ; } ) ; adminNamespace . on ( "connection" , socket => { socket . on ( "delete user" , ( ) => { // ... } ) ; } ) ; your application has multiple tenants so you want to dynamically create one namespace per tenant const workspaces = io . of ( / ^\/\w+$ / ) ; workspaces . on ( "connection" , socket => { const workspace = socket . nsp ; workspace . emit ( "hello" ) ; } ) ; Main namespace Until now, you interacted with the main namespace, called / . The io instance inherits all of its methods: io . on ( "connection" , ( socket ) => { } ) ; io . use ( ( socket , next ) => { next ( ) } ) ; io . emit ( "hello" ) ; // are actually equivalent to io . of ( "/" ) . on ( "connection" , ( socket ) => { } ) ; io . of ( "/" ) . use ( ( socket , next ) => { next ( ) } ) ; io . of ( "/" ) . emit ( "hello" ) ; Some tutorials may also mention io.sockets , it's simply an alias for io.of("/") . io . sockets === io . of ( "/" ) Custom namespaces To set up a custom namespace, you can call the of function on the server-side: const nsp = io . of ( "/my-namespace" ) ; nsp . on ( "connection" , socket => { console . log ( "someone connected" ) ; } ) ; nsp . emit ( "hi" , "everyone!" ) ; Client initialization Same-origin version: const socket = io ( ) ; // or io("/"), the main namespace const orderSocket = io ( "/orders" ) ; // the "orders" namespace const userSocket = io ( "/users" ) ; // the "users" namespace Cross-origin/Node.js version: const socket = io ( "https://example.com" ) ; // or io("https://example.com/"), the main namespace const orderSocket = io ( "https://example.com/orders" ) ; // the "orders" namespace const userSocket = io ( "https://example.com/users" ) ; // the "users" namespace In the example above, only one WebSocket connection will be established, and the packets will automatically be routed to the right namespace. Please note that multiplexing will be disabled in the following cases: multiple creation for the same namespace const socket1 = io ( ) ; const socket2 = io ( ) ; // no multiplexing, two distinct WebSocket connections different domains const socket1 = io ( "https://first.example.com" ) ; const socket2 = io ( "https://second.example.com" ) ; // no multiplexing, two distinct WebSocket connections usage of the forceNew option const socket1 = io ( ) ; const socket2 = io ( "/admin" , { forceNew : true } ) ; // no multiplexing, two distinct WebSocket connections Dynamic namespaces It is also possible to dynamically create namespaces, either with a regular expression: io . of ( / ^\/dynamic-\d+$ / ) ; or with a function: io . of ( ( name , auth , next ) => { next ( null , true ) ; // or false, when the creation is denied } ) ; You can have access to the new namespace in the connection event: io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { const namespace = socket . nsp ; } ) ; The return value of the of() method is what we call the parent namespace, from which you can: register middlewares const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . use ( ( socket , next ) => { next ( ) } ) ; The middleware will automatically be registered on each child namespace. broadcast events const parentNamespace = io . of ( / ^\/dynamic-\d+$ / ) ; parentNamespace . emit ( "hello" ) ; // will be sent to users in /dynamic-1, /dynamic-2, ... caution Existing namespaces have priority over dynamic namespaces. For example: // register "dynamic-101" namespace io . of ( "/dynamic-101" ) ; io . of ( / ^\/dynamic-\d+$ / ) . on ( "connection" , ( socket ) => { // will not be called for a connection on the "dynamic-101" namespace } ) ; Complete API The complete API exposed by the Namespace instance can be found here . Edit this page Last updated on Nov 15, 2025 Previous Azure Service Bus adapter Next Custom parser Introduction Main namespace Custom namespaces Client initialization Dynamic namespaces Complete API Documentation Guide Tutorial Examples Server API Client API Help Troubleshooting Stack Overflow GitHub Discussions Slack News Blog Twitter Tools CDN Admin UI About FAQ Changelog Roadmap Become a sponsor Copyright © 2026 Socket.IO | 2026-01-13T08:48:25 |
https://www.linkedin.com/groups/8556951/ | LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) | 2026-01-13T08:48:25 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.